Python has the datetime module to help deal with timestamps in your code. Time values are represented with the time class. Times have attributes for hour, minute, second, and microsecond. They can also include time zone information. The arguments to initialize a time instance are optional, but the default of 0 is unlikely to be what you want.
Lets take a look at how we can extract time information from the datetime module. We can create a time-stamp by specifying datetime.time(hour,minute,second,microsecond)
In [3]:
import datetime
t = datetime.time(4, 20, 1)
# Lets show the different compoenets
print t
print 'hour :', t.hour
print 'minute:', t.minute
print 'second:', t.second
print 'microsecond:', t.microsecond
print 'tzinfo:', t.tzinfo
Note: A time instance only holds values of time, and not a date associated with the time.
We can also check the min and max values a time of day can have in the module:
In [5]:
print 'Earliest :', datetime.time.min
print 'Latest :', datetime.time.max
print 'Resolution:', datetime.time.resolution
The min and max class attributes reflect the valid range of times in a single day.
datetime (as you might suspect) also allows us to work with date timestamps. Calendar date values are represented with the date class. Instances have attributes for year, month, and day. It is easy to create a date representing today’s date using the today() class method.
Lets see some examples:
In [6]:
today = datetime.date.today()
print today
print 'ctime:', today.ctime()
print 'tuple:', today.timetuple()
print 'ordinal:', today.toordinal()
print 'Year:', today.year
print 'Mon :', today.month
print 'Day :', today.day
As with time, the range of date values supported can be determined using the min and max attributes.
In [7]:
print 'Earliest :', datetime.date.min
print 'Latest :', datetime.date.max
print 'Resolution:', datetime.date.resolution
Another way to create new date instances uses the replace() method of an existing date. For example, you can change the year, leaving the day and month alone.
In [8]:
d1 = datetime.date(2015, 3, 11)
print 'd1:', d1
d2 = d1.replace(year=1990)
print 'd2:', d2
In [9]:
d1
Out[9]:
In [10]:
d2
Out[10]:
In [11]:
d1-d2
Out[11]:
This give us the difference in days between the two dates. You can use the timedelta method to specify various units of times (day,minutes,hours,etc...)
Great! You should now have a basic understanding of how to use datetime with Python to work with timestamps in your code!