Link to home
Start Free TrialLog in
Avatar of dailymeat
dailymeat

asked on

Need to find last vbFriday

Need to find last vbFriday vba
Avatar of Subodh Tiwari (Neeraj)
Subodh Tiwari (Neeraj)
Flag of India image

Maybe something like this...

Function getLastFriday(dt As Date) As Date
Dim wkDay As Integer
wkDay = Weekday(dt, vbFriday)
getLastFriday = dt - (wkDay - 1)
End Function

Open in new window


Then you can call this function like below...

Sub Test()
MsgBox getLastFriday(DateValue("3/14/2018")) 'Last Friday before 3/14/2018
MsgBox getLastFriday(Date)      'Last Friday from today
End Sub

Open in new window

If you mean the last Friday of the month, then this is a solution:
Public Function GetLastFriday(ByVal parmAnyDate As Date) As Date
    'returns the date of the last Friday in the same month as parmAnyDate
    Dim dtLastDOM As Date
    
    'Initialize to last day of the month
    dtLastDOM = DateSerial(Year(parmAnyDate), Month(parmAnyDate) + 1, 0)
    'Decrement until Friday
    Do Until Weekday(dtLastDOM) = vbFriday
        dtLastDOM = dtLastDOM - 1
    Loop
    GetLastFriday = dtLastDOM
End Function

Open in new window

Here's a no-looping version:
Public Function GetLastFridayNoLoop(ByVal parmAnyDate As Date) As Date
    'returns the date of the last Friday in the same month as parmAnyDate
    Dim dtLastDOM As Date
    Dim lngWeekdayDiff As Long
    
    'Initialize to last day of the month
    dtLastDOM = DateSerial(Year(parmAnyDate), Month(parmAnyDate) + 1, 0)
    'calculate days difference to Friday
    lngWeekdayDiff = Weekday(dtLastDOM) - vbFriday
    
    If Sgn(lngWeekdayDiff) = -1 Then    'adjust if negative
        dtLastDOM = dtLastDOM - lngWeekdayDiff - 7
    Else
        dtLastDOM = dtLastDOM - lngWeekdayDiff
    End If
    GetLastFridayNoLoop = dtLastDOM
End Function

Open in new window

If you want to find the last Friday of the month, you may also try this...

Function getLastFriday(dt As Date) As Date
getLastFriday = DateSerial(Year(dt), Month(dt) + 1, 1) - Weekday(DateSerial(Year(dt), Month(dt) + 1, 1) - 6)
End Function

Open in new window


Sub Test()
MsgBox getLastFriday(Date)
End Sub

Open in new window

Avatar of dailymeat
dailymeat

ASKER

Thank you.

Subodh, the function works in every day except on Fridays. If today's date is Friday, it does not show last Friday it shows today's.
ASKER CERTIFIED SOLUTION
Avatar of Subodh Tiwari (Neeraj)
Subodh Tiwari (Neeraj)
Flag of India image

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
Did you test my solutions
Aikimark, I did not because your solution is for the last Friday of the month, thanks anyways for your effort.

Subodh, It worked!, thanks.
You're welcome! Glad it worked as desired.
So, you really needed "Prior or current Friday", not "Last Friday"