Solución:
calendar.monthrange
proporciona esta información:
calendario.rango de mes(año mes)
Devuelve el día de la semana del primer día del mes y el número de días del mes, para el año y mes.
>>> import calendar
>>> calendar.monthrange(2002, 1)
(1, 31)
>>> calendar.monthrange(2008, 2) # leap years are handled correctly
(4, 29)
>>> calendar.monthrange(2100, 2) # years divisible by 100 but not 400 aren't leap years
(0, 28)
asi que:
calendar.monthrange(year, month)[1]
parece la forma más sencilla de hacerlo.
Si no desea importar el calendar
módulo, una función simple de dos pasos también puede ser:
import datetime
def last_day_of_month(any_day):
# this will never fail
# get close to the end of the month for any day, and add 4 days 'over'
next_month = any_day.replace(day=28) + datetime.timedelta(days=4)
# subtract the number of remaining 'overage' days to get last day of current month, or said programattically said, the previous day of the first of next month
return next_month - datetime.timedelta(days=next_month.day)
Salidas:
>>> for month in range(1, 13):
... print last_day_of_month(datetime.date(2012, month, 1))
...
2012-01-31
2012-02-29
2012-03-31
2012-04-30
2012-05-31
2012-06-30
2012-07-31
2012-08-31
2012-09-30
2012-10-31
2012-11-30
2012-12-31
EDITAR: Vea la respuesta de @Blair Conrad para una solución más limpia
>>> import datetime
>>> datetime.date(2000, 2, 1) - datetime.timedelta(days=1)
datetime.date(2000, 1, 31)
¡Haz clic para puntuar esta entrada!
(Votos: 0 Promedio: 0)