问题
How do I get the last Monday (or other day) of a given month?
回答1:
Using the calendar module from the stdlib:
import calendar
cal = calendar.Calendar(0)
month = cal.monthdatescalendar(2010, 7)
lastweek = month[-1]
monday = lastweek[0]
print(monday)
2010-07-26
回答2:
Have a look at dateutil:
from datetime import datetime
from dateutil import relativedelta
datetime(2010,7,1) + relativedelta.relativedelta(day=31, weekday=relativedelta.MO(-1))
returns
datetime.datetime(2010, 7, 26, 0, 0)
回答3:
Based on Gary's answer :
import calendar
month = calendar.monthcalendar(2010, 7)
mondays = [week[0] for week in month if week[0]>0]
print mondays[-1]
26
This works for getting the last Sunday of the month even if the last week of the month has no Sunday.
回答4:
A tiny improvement on manu's answer !
import calendar
month = calendar.monthcalendar(2010, 7)
day_of_month = max(month[-1][calendar.SUNDAY], month[-2][calendar.SUNDAY])
print day_of_month
来源:https://stackoverflow.com/questions/12796389/python-get-last-monday-of-july-2010