Python: Figure out local timezone
Asked Answered
K

19

138

I want to compare UTC timestamps from a log file with local timestamps. When creating the local datetime object, I use something like:

>>> local_time=datetime.datetime(2010, 4, 27, 12, 0, 0, 0, 
                                 tzinfo=pytz.timezone('Israel'))

I want to find an automatic tool that would replace thetzinfo=pytz.timezone('Israel') with the current local time zone.

Any ideas?

Kyongkyoto answered 27/4, 2010 at 10:20 Comment(2)
Your problem is questionable to begin with. Depending on what you're doing, there's a good chance of producing a race condition close to the daylight savings time changeover (or any other situation where the local time zone changes).Bowrah
if by local time you mean your OS setting, you can simply get it as tz aware datetime object like local_time=datetime.datetime(2010, 4, 27, 12, 0, 0, 0).astimezone() (Python >= 3.6). [[docs]](docs.python.org/3/library/…)Sudoriferous
R
52

Try dateutil, which has a tzlocal type that does what you need.

Recently answered 27/4, 2010 at 12:18 Comment(9)
This isn't a very standard package... are there more canonical solutions?Uninterrupted
dateutil fails for some timezones with dates in the past. And for cases when it does work, you could use pure stdlib solutionGirvin
@gatoatigrado: see How to convert a python utc datetime to a local datetime using only python standard library?Girvin
from dateutil.tz import tzlocalCaecum
@Jthorpe: tzlocal and dateutil.tz.tzlocal are different things. tzlocal is a pytz-based module that supports more cases than dateutil.tz.tzlocal() function which can return a wrong resultGirvin
local timezone comes from the time module: import time; time.tznamePicturesque
@Jthorpe dateutil is not defuct and is under active development.Supercharger
@Jthorpe as @ tacaswell said, dateutil doesn't seem defunct as it is recommended by the latest docs: docs.python.org/3.8/library/datetime.html (search for dateutil) - as of 3.8-devNeptunian
Regarding my defunct comment, it was valid at the time (2016) as the posted answer did not work, and it's still valid for people who don't use bleading edge python (3.8-dev), as some times adding on to an old system doesn't allow for upgrading your python.Gaitan
F
200

In Python 3.x, local timezone can be figured out like this:

>>> import datetime
>>> print(datetime.datetime.now(datetime.timezone.utc).astimezone().tzinfo)
AEST

It's a tricky use of datetime's code .

For python < 3.6, you'll need

>>> import datetime
>>> print(datetime.datetime.now(datetime.timezone(datetime.timedelta(0))).astimezone().tzinfo)
AEST
Fabri answered 22/8, 2016 at 12:39 Comment(14)
Simply datetime.datetime.now().astimezone().tzinfo should already be OK.Fotheringhay
@Fotheringhay datetime.datetime.utcnow().astimezone().tzinfo also seems to be correct and to me is easier to read as it explicitly states it'd use UTC to begin with. Since no datetime is initially bound to any timezone it shouldn't make a difference internally.Thomasinethomason
@Fotheringhay @Thomasinethomason not quite as that only works for python >= 3.6. You cannot call astimezone() on naive datetimes prior to 3.6.Lordly
Clever, but will it work if your program runs long-term over for example a DST change?Jayejaylene
This line of code returns UTC on my python terminal (inside a docker container?) but I'm in GMT+4Naturism
Brilliant. This should be the answer.Nondescript
@Jose docker image is an operating system on its own right, so if it starts as utc of course you will get utc.Kingfish
The local time zone may have had a different UTC offset in the past and therefore the same code as in your answer but for past dates may return a wrong result silently unless Python has access to the tz database. That is why my answer uses tzlocal module to get a pytz timezone which provides access to the tz database in a portable manner.Girvin
There is no reason not to use timezone.utc on Python 3.6+ (i.e., the 2nd example in the answer (with timedelta(0)) may be removed.Girvin
i believe that example simply had the 3.6 comparator reversed. in other words, it was saying you can't use timezone.utc in 3.6+, but it's actually available starting with 3.6, so i left the second example, but marked it as < 3.6 instead of >= 3.6. phew.Island
@Thomasinethomason you can use the code to get the local timezone from the OS but the code is semantically wrong datetime.datetime.utcnow() returns UTC time without timezone information (naive datetime). .astimezone() adds the local timezone information to it but it treats the naive datetime as local time, not UTC!Tiemannite
datetime.now(datetime.now().astimezone().tzinfo).isoformat() to include your local time zone in the ISO string.Mcdaniels
I wonder why datetime.datetime.now() doesn't already return you a datetime.datetime with time zone information. Why do we have to use .astimezone()?Reubenreuchlin
This doesn't look correct. If I use TZ=Australia/Sydney, it gives datetime.timezone(datetime.timedelta(seconds=36000), 'AEST'). That's a fixed offset time zone, which will give the wrong answer when applied to dates 6 months out when daylight saving time is in effect.Peculiarize
R
52

Try dateutil, which has a tzlocal type that does what you need.

Recently answered 27/4, 2010 at 12:18 Comment(9)
This isn't a very standard package... are there more canonical solutions?Uninterrupted
dateutil fails for some timezones with dates in the past. And for cases when it does work, you could use pure stdlib solutionGirvin
@gatoatigrado: see How to convert a python utc datetime to a local datetime using only python standard library?Girvin
from dateutil.tz import tzlocalCaecum
@Jthorpe: tzlocal and dateutil.tz.tzlocal are different things. tzlocal is a pytz-based module that supports more cases than dateutil.tz.tzlocal() function which can return a wrong resultGirvin
local timezone comes from the time module: import time; time.tznamePicturesque
@Jthorpe dateutil is not defuct and is under active development.Supercharger
@Jthorpe as @ tacaswell said, dateutil doesn't seem defunct as it is recommended by the latest docs: docs.python.org/3.8/library/datetime.html (search for dateutil) - as of 3.8-devNeptunian
Regarding my defunct comment, it was valid at the time (2016) as the posted answer did not work, and it's still valid for people who don't use bleading edge python (3.8-dev), as some times adding on to an old system doesn't allow for upgrading your python.Gaitan
G
42

to compare UTC timestamps from a log file with local timestamps.

It is hard to find out Olson TZ name for a local timezone in a portable manner. Fortunately, you don't need it to perform the comparison.

tzlocal module returns a pytz timezone corresponding to the local timezone:

from datetime import datetime

import pytz # $ pip install pytz
from tzlocal import get_localzone # $ pip install tzlocal

tz = get_localzone()
local_dt = tz.localize(datetime(2010, 4, 27, 12, 0, 0, 0), is_dst=None)
utc_dt = local_dt.astimezone(pytz.utc) #NOTE: utc.normalize() is unnecessary here

Unlike other solutions presented so far the above code avoids the following issues:

  • local time can be ambiguous i.e., a precise comparison might be impossible for some local times
  • utc offset can be different for the same local timezone name for dates in the past. Some libraries that support timezone-aware datetime objects (e.g., dateutil) fail to take that into account

Note: to get timezone-aware datetime object from a naive datetime object, you should use*:

local_dt = tz.localize(datetime(2010, 4, 27, 12, 0, 0, 0), is_dst=None)

instead of:

#XXX fails for some timezones
local_dt = datetime(2010, 4, 27, 12, 0, 0, 0, tzinfo=tz)

*is_dst=None forces an exception if given local time is ambiguous or non-existent.

If you are certain that all local timestamps use the same (current) utc offset for the local timezone then you could perform the comparison using only stdlib:

# convert a naive datetime object that represents time in local timezone to epoch time
timestamp1 = (datetime(2010, 4, 27, 12, 0, 0, 0) - datetime.fromtimestamp(0)).total_seconds()

# convert a naive datetime object that represents time in UTC to epoch time
timestamp2 = (datetime(2010, 4, 27, 9, 0) - datetime.utcfromtimestamp(0)).total_seconds()

timestamp1 and timestamp2 can be compared directly.

Note:

  • timestamp1 formula works only if the UTC offset at epoch (datetime.fromtimestamp(0)) is the same as now
  • fromtimestamp() creates a naive datetime object in the current local timezone
  • utcfromtimestamp() creates a naive datetime object in UTC.
Girvin answered 28/6, 2013 at 10:50 Comment(4)
Just what I needed!Mackinnon
I don't understand why getting local timezone it isn't included in one of the Python core modules...Mitchelmitchell
@Rfraile: If we exclude corner cases where you would need a pytz timezone, Python had local timezone in stdlib since forever. 2- PEP 615 -- Support for the IANA Time Zone Database in the Standard Library is accepted in Python 3.9 (it provides access to the same tzdata as pytz)Girvin
@Girvin I wanted to say support for Olson timezone, sorry. Good to know this new PEP 615, it will add a great value, thanks for sharingMitchelmitchell
S
27

I was asking the same to myself, and I found the answer in 1:

Take a look at section 8.1.7: the format "%z" (lowercase, the Z uppercase returns also the time zone, but not in the 4-digit format, but in the form of timezone abbreviations, like in [3]) of strftime returns the form "+/- 4DIGIT" that is standard in email headers (see section 3.3 of RFC 2822, see [2], which obsoletes the other ways of specifying the timezone for email headers).

So, if you want your timezone in this format, use:

time.strftime("%z")

[1] http://docs.python.org/2/library/datetime.html

[2] https://www.rfc-editor.org/rfc/rfc2822#section-3.3

[3] Timezone abbreviations: http://en.wikipedia.org/wiki/List_of_time_zone_abbreviations , only for reference.

Schwitzer answered 9/12, 2013 at 14:55 Comment(2)
the question is about finding tzinfo object corresponding to local timezone, not current utc offset as a string. time.timezone,.altzone give you current utc offset. Timezone offset or abbreviations are ambiguous. It is not that easy to get local timezone that you could use for dates in the far past, present and near future. Look at tzlocal module's source code to see an example how it can be done.Girvin
Simple and effectiveHousemaster
L
13

The following appears to work for 3.7+, using standard libs:

from datetime import timedelta
from datetime import timezone
import time

def currenttz():
    if time.daylight:
        return timezone(timedelta(seconds=-time.altzone),time.tzname[1])
    else:
        return timezone(timedelta(seconds=-time.timezone),time.tzname[0])
Larios answered 9/1, 2020 at 22:57 Comment(0)
M
10

First get pytz and tzlocal modules

pip install pytz tzlocal

then

from tzlocal import get_localzone
local = get_localzone()

then you can do things like

from datetime import datetime
print(datetime.now(local))
Mclain answered 10/10, 2014 at 6:36 Comment(0)
M
7

To create an ISO formatted string that includes the ISO representation of your local time zone in Israel (+04:00) :

on a server in Israel:

>>> datetime.now(datetime.now().astimezone().tzinfo).isoformat()
'2021-09-07T01:02.030042+04:00'

This will create a "timezone aware" date object that will compare to any other datetime object in UTC or local time appropriately. But the time zone ISO representation (and the date/time string itself) will change if you ran this on a server in San Francisco at the exact same time, as I did:

on a server in San Francisco, CA, USA (Pacific):

>>> datetime.now(datetime.now().astimezone().tzinfo).isoformat()
'2021-09-06T14:01:02.030042-07:00'

The datetime objects in in both cases would be compatible with each other. So if you subtracted them you'd get a time delta of 0:

On a server anywhere in Python3.6+:

>>> (datetime.fromisoformat('2021-09-06T14:01:02.030042-07:00') -
...  datetime.fromisoformat('2021-09-07T01:01:02.030042+04:00'))
datetime.timedelta(0)
Mcdaniels answered 27/4, 2010 at 10:20 Comment(0)
H
6

Here's a way to get the local timezone using only the standard library, (only works in a *nix environment):

>>> '/'.join(os.path.realpath('/etc/localtime').split('/')[-2:])
'Australia/Sydney'

You can use this to create a pytz timezone:

>>> import pytz
>>> my_tz_name = '/'.join(os.path.realpath('/etc/localtime').split('/')[-2:])
>>> my_tz = pytz.timezone(my_tz_name)
>>> my_tz
<DstTzInfo 'Australia/Sydney' LMT+10:05:00 STD>

...which you can then apply to a datetime:

>>> import datetime
>>> now = datetime.datetime.now()
>>> now
datetime.datetime(2014, 9, 3, 9, 23, 24, 139059)

>>> now.replace(tzinfo=my_tz)
>>> now
datetime.datetime(2014, 9, 3, 9, 23, 24, 139059, tzinfo=<DstTzInfo 'Australia/Sydney' LMT+10:05:00 STD>)
Handwoven answered 2/9, 2014 at 23:54 Comment(5)
to avoid inventing square wheels, look at tzlocal source codeGirvin
this breaks environment timezone overrides with the TZ variable.Picturesque
Does '/etc/localtime' exist on MacOS?Octodecimo
Or on Windows? ;-)Aftershock
@Lucas, yes it does, just checked, I'm on macOS Catalina 10.15.7Willamina
N
6

Here's a slightly more concise version of @vbem's solution:

from datetime import datetime as dt

dt.utcnow().astimezone().tzinfo

The only substantive difference is that I replaced datetime.datetime.now(datetime.timezone.utc) with datetime.datetime.utcnow(). For brevity, I also aliased datetime.datetime as dt.

For my purposes, I want the UTC offset in seconds. Here's what that looks like:

dt.utcnow().astimezone().utcoffset().total_seconds()
Necessarian answered 15/4, 2018 at 0:14 Comment(3)
ValueError: astimezone() cannot be applied to a naive datetime (python 3.4)Saltation
Yeah, after I published some code with this solution, users who were using linux reported this same bug. If I remember correctly, the root cause is the OS time isn't configured to a timezone (i.e. it's "naive" UTC) and this breaks the code. Haven't looked into a solution beyond wrapping that code in a try/except block.Necessarian
Ok thanks. Since then I gave up the idea of a pure stdlib solution and went with pytz and tzlocal. I am wary of adding third party dependencies when python already ships with so much, but when dealing with time zones, clearly you need external help.Saltation
A
4

Avoiding non-standard module (seems to be a missing method of datetime module):

from datetime import datetime
utcOffset_min = int(round((datetime.now() - datetime.utcnow()).total_seconds())) / 60   # round for taking time twice
utcOffset_h = utcOffset_min / 60
assert(utcOffset_min == utcOffset_h * 60)   # we do not handle 1/2 h timezone offsets

print 'Local time offset is %i h to UTC.' % (utcOffset_h)
Ahron answered 17/4, 2013 at 13:28 Comment(1)
If you don't care about DST or utc offsets in the past (as your solution shows); you could just use -time.timezone.Girvin
K
4

As of python 3.6+ the simplest approach is use dateutil.tz which will read /etc/localtime and assist in getting timezone aware datetime object.

Here is more info on it: https://dateutil.readthedocs.io/en/stable/tz.html

The implementation to accomplish what you're looking for is as follows:

from datetime import datetime
from dateutil import tz
local_time = datetime.now(tz.gettz())

This will provide you the following local_time:

2019-10-18 13:41:06.624536-05:00

Additional Resources I used in researching this topic: Paul Ganssle Presentation about time zones: https://www.youtube.com/watch?v=l4UCKCo9FWY

pytz: The Fastest Footgun in the West https://blog.ganssle.io/articles/2018/03/pytz-fastest-footgun.html

Kinard answered 18/10, 2019 at 18:47 Comment(0)
A
3

Based on Thoku's answer above, here's an answer that resolves the time zone to the nearest half hour (which is relevant for some timezones eg South Australia's) :

from datetime import datetime
round((round((datetime.now()-datetime.utcnow()).total_seconds())/1800)/2)
Aerosphere answered 28/6, 2013 at 5:22 Comment(2)
Python 3 version: round((round((datetime.datetime.now()-datetime.datetime.utcnow()).total_seconds())/1800)/2)Alessandro
(1) it is wrong if the local utc offset is different in the past (it is in many timezones) (2) round() may produce a wrong utc offset here (for some timezones) and it is unnecessary. To find out how to get the precise utc offset, see Getting computer's UTC offset in PythonGirvin
O
3

Based on J. F. Sebastian's answer, you can do this with the standard library:

import time, datetime
local_timezone = datetime.timezone(datetime.timedelta(seconds=-time.timezone))

Tested in 3.4, should work on 3.4+

Odoacer answered 17/3, 2017 at 0:39 Comment(1)
I think this may produce incorrect results when daylight savings time is in effect.Hevesy
A
3

You may be happy with pendulum

>>> pendulum.datetime(2015, 2, 5, tz='local').timezone.name
'Israel'

Pendulum has a well designed API for manipulating dates. Everything is TZ-aware.

Avion answered 26/2, 2019 at 8:26 Comment(0)
R
2

I want to compare UTC timestamps from a log file with local timestamps

If this is your intent, then I wouldn't worry about specifying specific tzinfo parameters or any additional external libraries. Since Python 3.5, the built in datetime module is all you need to create a UTC and a local timestamp automatically.

import datetime
f = "%a %b %d %H:%M:%S %Z %Y"         # Full format with timezone

# tzinfo=None
cdatetime = datetime.datetime(2010, 4, 27, 12, 0, 0, 0)  # 1. Your example from log
cdatetime = datetime.datetime.now()   # 2. Basic date creation (default: local time)
print(cdatetime.strftime(f))          # no timezone printed
# Tue Apr 27 12:00:00  2010

utctimestamp = cdatetime.astimezone(tz=datetime.timezone.utc)  # 1. convert to UTC
utctimestamp = datetime.datetime.now(tz=datetime.timezone.utc) # 2. create in UTC
print(utctimestamp.strftime(f))
# Tue Apr 27 17:00:00 UTC 2010

localtimestamp = cdatetime.astimezone()               # 1. convert to local [default]
localtimestamp = datetime.datetime.now().astimezone()  # 2. create with local timezone
print(localtimestamp.strftime(f))
# Tue Apr 27 12:00:00 CDT 2010

The '%Z' parameter of datetime.strftime() prints the timezone acronym into the timestamp for humans to read.

Reichsmark answered 3/6, 2020 at 19:16 Comment(0)
S
1

For simple things, the following tzinfo implementation can be used, which queries the OS for time zone offsets:

import datetime
import time

class LocalTZ(datetime.tzinfo):
    _unixEpochOrdinal = datetime.datetime.utcfromtimestamp(0).toordinal()

    def dst(self, dt):
        return datetime.timedelta(0)

    def utcoffset(self, dt):
        t = (dt.toordinal() - self._unixEpochOrdinal)*86400 + dt.hour*3600 + dt.minute*60 + dt.second + time.timezone
        utc = datetime.datetime(*time.gmtime(t)[:6])
        local = datetime.datetime(*time.localtime(t)[:6])
        return local - utc


print datetime.datetime.now(LocalTZ())
print datetime.datetime(2010, 4, 27, 12, 0, 0, tzinfo=LocalTZ())

# If you're in the EU, the following datetimes are right on the DST change.
print datetime.datetime(2013, 3, 31, 0, 59, 59, tzinfo=LocalTZ())
print datetime.datetime(2013, 3, 31, 1, 0, 0, tzinfo=LocalTZ())
print datetime.datetime(2013, 3, 31, 1, 59, 59, tzinfo=LocalTZ())

# The following datetime is invalid, as the clock moves directly from
# 01:59:59 standard time to 03:00:00 daylight savings time.
print datetime.datetime(2013, 3, 31, 2, 0, 0, tzinfo=LocalTZ())

print datetime.datetime(2013, 10, 27, 0, 59, 59, tzinfo=LocalTZ())
print datetime.datetime(2013, 10, 27, 1, 0, 0, tzinfo=LocalTZ())
print datetime.datetime(2013, 10, 27, 1, 59, 59, tzinfo=LocalTZ())

# The following datetime is ambigous, as 02:00 can be either DST or standard
# time. (It is interpreted as standard time.)
print datetime.datetime(2013, 10, 27, 2, 0, 0, tzinfo=LocalTZ())
Sausage answered 12/3, 2013 at 10:22 Comment(1)
(1) it can't work if time module has no access to the tz database on a given platform (note: pytz in the question provides such access in a portable way) (2) t formula is incorrect if the utc offset that corresponds to dt is not -time.timezone and therefore even if time module knows the correct localtime(t) -- your code may ask a wrong value (consider time around a DST transition).Girvin
H
1

tzlocal from dateutil.

Code example follows. Last string suitable for use in filenames.

>>> from datetime import datetime
>>> from dateutil.tz import tzlocal
>>> str(datetime.now(tzlocal()))
'2015-04-01 11:19:47.980883-07:00'
>>> str(datetime.now(tzlocal())).replace(' ','-').replace(':','').replace('.','-')
'2015-04-01-111947-981879-0700'
>>> 
Hackery answered 1/4, 2015 at 18:52 Comment(0)
C
1

First, note that the question presents an incorrect initialization of an aware datetime object:

>>> local_time=datetime.datetime(2010, 4, 27, 12, 0, 0, 0,
...                                  tzinfo=pytz.timezone('Israel'))

creates an invalid instance. One can see the problem by computing the UTC offset of the resulting object:

>>> print(local_time.utcoffset())
2:21:00

(Note the result which is an odd fraction of an hour.)

To initialize an aware datetime properly using pytz one should use the localize() method as follows:

>>> local_time=pytz.timezone('Israel').localize(datetime.datetime(2010, 4, 27, 12))
>>> print(local_time.utcoffset())
3:00:00

Now, if you require a local pytz timezone as the new tzinfo, you should use the tzlocal package as others have explained, but if all you need is an instance with a correct local time zone offset and abbreviation then tarting with Python 3.3, you can call the astimezone() method with no arguments to convert an aware datetime instance to your local timezone:

>>> local_time.astimezone().strftime('%Y-%m-%d %H:%M %Z %z')
'2010-04-27 05:00 EDT -0400'
Caribbean answered 3/10, 2015 at 23:35 Comment(8)
(1) don't pass pytz timezone to datetime() constructor directly -- if you know that you shouldn't do it; why do it? (2) If you have pytz installed; why do you use non-portable astimezone() that might not have access to the tz database on a given platform? You could get pure Python tzlocal module that can find pytz tzinfo object for the local timezone on Windows and Unix (/etc/localtime or /usr/local/etc/localtime) instead.Girvin
(1) because this is how OP presented his question; (2) astimezone() is as portable as it gets and can be used without having to install an additional package.Caribbean
(1) the question may contain a broken code; the answer should not (without a good reason and clearly indication in the code block itself, example). (2) the code already uses pytz. Correct answer should use the tz database.Girvin
tzlocal is not part of pytz. If it is available on the user's system - using it is a fine solution. If not, astimezone() is the recommended solution for Python 3.3 and higher. Whether or not the "correct" solution should use the tz database depends on user needs. Hopefully for most users the result will be the same regardless. Note that while mixing pytz timezones with say dateutil ones is not recommended, datetime instances using standard library datetime.timezone are fully interoperable with those using pytz.Caribbean
(1) the question may contain a broken code; the answer should not ... That's a good advise. I rewrote my answer. Thanks.Caribbean
if your definition of "correct" is different from what the tz database says then you should specify it explicitly.Girvin
The question is what is the "correct" value of the tzinfo attribute in the resulting datetime instance. I put "correct" in quotes because for most practical purposes, the exact type of tzinfo does not matter as long as the values of utcoffset() and tzname() are the same. A datetime.timezone object is a lightweight tzinfo that has just enough data to return the correct utcoffset() and tzname() for a specific time. In contrast, pytz.timezone gives access to all history which may not be needed.Caribbean
Let us continue this discussion in chat.Caribbean
H
1
now_dt = datetime.datetime.now()
utc_now = datetime.datetime.utcnow()
now_ts, utc_ts = map(time.mktime, map(datetime.datetime.timetuple, (now_dt, utc_now)))
offset = int((now_ts - utc_ts) / 3600)

hope this will help you.

Harewood answered 15/11, 2018 at 7:57 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.