Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Number of seconds since the beginning of the day UTC timezone

How do I find "number of seconds since the beginning of the day UTC timezone" in Python? I looked at the docs and didn't understand how to get this using datetime.timedelta.

like image 718
daydreamer Avatar asked Nov 09 '11 22:11

daydreamer


2 Answers

Here's one way to do it.

from datetime import datetime, time

utcnow = datetime.utcnow()
midnight_utc = datetime.combine(utcnow.date(), time(0))
delta = utcnow - midnight_utc
print delta.seconds # <-- careful

EDIT As suggested, if you want microsecond precision, or potentially crossing a 24-hour period (i.e. delta.days > 0), use total_seconds() or the formula given by @unutbu.

print delta.total_seconds()  # 2.7
print delta.days * 24 * 60 * 60 + delta.seconds + delta.microseconds / 1e6 # < 2.7
like image 128
Joe Holloway Avatar answered Sep 18 '22 12:09

Joe Holloway


The number of seconds in a datetime.timedelta, x, is given by timedelta.total_seconds:

x.total_seconds()

This function was introduced in Python2.7. For older versions of python, you just have to compute it yourself: total_seconds = x.days*24*60*60 + x.seconds + x.microseconds/1e6.

like image 30
unutbu Avatar answered Sep 21 '22 12:09

unutbu