timezones.txt 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709
  1. ==========
  2. Time zones
  3. ==========
  4. .. _time-zones-overview:
  5. Overview
  6. ========
  7. When support for time zones is enabled, Django stores datetime information in
  8. UTC in the database, uses time-zone-aware datetime objects internally, and
  9. converts them to the end user's time zone in forms. Templates will use the
  10. :ref:`default time zone <default-current-time-zone>`, but this can be updated
  11. to the end user's time zone through the use of :ref:`filters and tags
  12. <time-zones-in-templates>`.
  13. This is handy if your users live in more than one time zone and you want to
  14. display datetime information according to each user's wall clock.
  15. Even if your website is available in only one time zone, it's still good
  16. practice to store data in UTC in your database. The main reason is daylight
  17. saving time (DST). Many countries have a system of DST, where clocks are moved
  18. forward in spring and backward in autumn. If you're working in local time,
  19. you're likely to encounter errors twice a year, when the transitions happen.
  20. This probably doesn't matter for your blog, but it's a problem if you over bill
  21. or under bill your customers by one hour, twice a year, every year. The
  22. solution to this problem is to use UTC in the code and use local time only when
  23. interacting with end users.
  24. Time zone support is enabled by default. To disable it, set :setting:`USE_TZ =
  25. False <USE_TZ>` in your settings file.
  26. Time zone support uses :mod:`zoneinfo`, which is part of the Python standard
  27. library from Python 3.9.
  28. If you're wrestling with a particular problem, start with the :ref:`time zone
  29. FAQ <time-zones-faq>`.
  30. Concepts
  31. ========
  32. .. _naive_vs_aware_datetimes:
  33. Naive and aware datetime objects
  34. --------------------------------
  35. Python's :class:`datetime.datetime` objects have a ``tzinfo`` attribute that
  36. can be used to store time zone information, represented as an instance of a
  37. subclass of :class:`datetime.tzinfo`. When this attribute is set and describes
  38. an offset, a datetime object is **aware**. Otherwise, it's **naive**.
  39. You can use :func:`~django.utils.timezone.is_aware` and
  40. :func:`~django.utils.timezone.is_naive` to determine whether datetimes are
  41. aware or naive.
  42. When time zone support is disabled, Django uses naive datetime objects in local
  43. time. This is sufficient for many use cases. In this mode, to obtain the
  44. current time, you would write::
  45. import datetime
  46. now = datetime.datetime.now()
  47. When time zone support is enabled (:setting:`USE_TZ=True <USE_TZ>`), Django uses
  48. time-zone-aware datetime objects. If your code creates datetime objects, they
  49. should be aware too. In this mode, the example above becomes::
  50. from django.utils import timezone
  51. now = timezone.now()
  52. .. warning::
  53. Dealing with aware datetime objects isn't always intuitive. For instance,
  54. the ``tzinfo`` argument of the standard datetime constructor doesn't work
  55. reliably for time zones with DST. Using UTC is generally safe; if you're
  56. using other time zones, you should review the :mod:`zoneinfo`
  57. documentation carefully.
  58. .. note::
  59. Python's :class:`datetime.time` objects also feature a ``tzinfo``
  60. attribute, and PostgreSQL has a matching ``time with time zone`` type.
  61. However, as PostgreSQL's docs put it, this type "exhibits properties which
  62. lead to questionable usefulness".
  63. Django only supports naive time objects and will raise an exception if you
  64. attempt to save an aware time object, as a timezone for a time with no
  65. associated date does not make sense.
  66. .. _naive-datetime-objects:
  67. Interpretation of naive datetime objects
  68. ----------------------------------------
  69. When :setting:`USE_TZ` is ``True``, Django still accepts naive datetime
  70. objects, in order to preserve backwards-compatibility. When the database layer
  71. receives one, it attempts to make it aware by interpreting it in the
  72. :ref:`default time zone <default-current-time-zone>` and raises a warning.
  73. Unfortunately, during DST transitions, some datetimes don't exist or are
  74. ambiguous. That's why you should always create aware datetime objects when time
  75. zone support is enabled. (See the :mod:`Using ZoneInfo section of the zoneinfo
  76. docs <zoneinfo>` for examples using the ``fold`` attribute to specify the
  77. offset that should apply to a datetime during a DST transition.)
  78. In practice, this is rarely an issue. Django gives you aware datetime objects
  79. in the models and forms, and most often, new datetime objects are created from
  80. existing ones through :class:`~datetime.timedelta` arithmetic. The only
  81. datetime that's often created in application code is the current time, and
  82. :func:`timezone.now() <django.utils.timezone.now>` automatically does the
  83. right thing.
  84. .. _default-current-time-zone:
  85. Default time zone and current time zone
  86. ---------------------------------------
  87. The **default time zone** is the time zone defined by the :setting:`TIME_ZONE`
  88. setting.
  89. The **current time zone** is the time zone that's used for rendering.
  90. You should set the current time zone to the end user's actual time zone with
  91. :func:`~django.utils.timezone.activate`. Otherwise, the default time zone is
  92. used.
  93. .. note::
  94. As explained in the documentation of :setting:`TIME_ZONE`, Django sets
  95. environment variables so that its process runs in the default time zone.
  96. This happens regardless of the value of :setting:`USE_TZ` and of the
  97. current time zone.
  98. When :setting:`USE_TZ` is ``True``, this is useful to preserve
  99. backwards-compatibility with applications that still rely on local time.
  100. However, :ref:`as explained above <naive-datetime-objects>`, this isn't
  101. entirely reliable, and you should always work with aware datetimes in UTC
  102. in your own code. For instance, use :meth:`~datetime.datetime.fromtimestamp`
  103. and set the ``tz`` parameter to :attr:`~datetime.timezone.utc`.
  104. Selecting the current time zone
  105. -------------------------------
  106. The current time zone is the equivalent of the current :term:`locale <locale
  107. name>` for translations. However, there's no equivalent of the
  108. ``Accept-Language`` HTTP header that Django could use to determine the user's
  109. time zone automatically. Instead, Django provides :ref:`time zone selection
  110. functions <time-zone-selection-functions>`. Use them to build the time zone
  111. selection logic that makes sense for you.
  112. Most websites that care about time zones ask users in which time zone they live
  113. and store this information in the user's profile. For anonymous users, they use
  114. the time zone of their primary audience or UTC.
  115. :func:`zoneinfo.available_timezones` provides a set of available timezones that
  116. you can use to build a map from likely locations to time zones.
  117. Here's an example that stores the current timezone in the session. (It skips
  118. error handling entirely for the sake of simplicity.)
  119. Add the following middleware to :setting:`MIDDLEWARE`::
  120. import zoneinfo
  121. from django.utils import timezone
  122. class TimezoneMiddleware:
  123. def __init__(self, get_response):
  124. self.get_response = get_response
  125. def __call__(self, request):
  126. tzname = request.session.get("django_timezone")
  127. if tzname:
  128. timezone.activate(zoneinfo.ZoneInfo(tzname))
  129. else:
  130. timezone.deactivate()
  131. return self.get_response(request)
  132. Create a view that can set the current timezone::
  133. from django.shortcuts import redirect, render
  134. # Prepare a map of common locations to timezone choices you wish to offer.
  135. common_timezones = {
  136. "London": "Europe/London",
  137. "Paris": "Europe/Paris",
  138. "New York": "America/New_York",
  139. }
  140. def set_timezone(request):
  141. if request.method == "POST":
  142. request.session["django_timezone"] = request.POST["timezone"]
  143. return redirect("/")
  144. else:
  145. return render(request, "template.html", {"timezones": common_timezones})
  146. Include a form in ``template.html`` that will ``POST`` to this view:
  147. .. code-block:: html+django
  148. {% load tz %}
  149. {% get_current_timezone as TIME_ZONE %}
  150. <form action="{% url 'set_timezone' %}" method="POST">
  151. {% csrf_token %}
  152. <label for="timezone">Time zone:</label>
  153. <select name="timezone">
  154. {% for city, tz in timezones %}
  155. <option value="{{ tz }}"{% if tz == TIME_ZONE %} selected{% endif %}>{{ city }}</option>
  156. {% endfor %}
  157. </select>
  158. <input type="submit" value="Set">
  159. </form>
  160. .. _time-zones-in-forms:
  161. Time zone aware input in forms
  162. ==============================
  163. When you enable time zone support, Django interprets datetimes entered in
  164. forms in the :ref:`current time zone <default-current-time-zone>` and returns
  165. aware datetime objects in ``cleaned_data``.
  166. Converted datetimes that don't exist or are ambiguous because they fall in a
  167. DST transition will be reported as invalid values.
  168. .. _time-zones-in-templates:
  169. Time zone aware output in templates
  170. ===================================
  171. When you enable time zone support, Django converts aware datetime objects to
  172. the :ref:`current time zone <default-current-time-zone>` when they're rendered
  173. in templates. This behaves very much like :doc:`format localization
  174. </topics/i18n/formatting>`.
  175. .. warning::
  176. Django doesn't convert naive datetime objects, because they could be
  177. ambiguous, and because your code should never produce naive datetimes when
  178. time zone support is enabled. However, you can force conversion with the
  179. template filters described below.
  180. Conversion to local time isn't always appropriate -- you may be generating
  181. output for computers rather than for humans. The following filters and tags,
  182. provided by the ``tz`` template tag library, allow you to control the time zone
  183. conversions.
  184. Template tags
  185. -------------
  186. .. templatetag:: localtime
  187. ``localtime``
  188. ~~~~~~~~~~~~~
  189. Enables or disables conversion of aware datetime objects to the current time
  190. zone in the contained block.
  191. This tag has exactly the same effects as the :setting:`USE_TZ` setting as far
  192. as the template engine is concerned. It allows a more fine grained control of
  193. conversion.
  194. To activate or deactivate conversion for a template block, use:
  195. .. code-block:: html+django
  196. {% load tz %}
  197. {% localtime on %}
  198. {{ value }}
  199. {% endlocaltime %}
  200. {% localtime off %}
  201. {{ value }}
  202. {% endlocaltime %}
  203. .. note::
  204. The value of :setting:`USE_TZ` isn't respected inside of a
  205. ``{% localtime %}`` block.
  206. .. templatetag:: timezone
  207. ``timezone``
  208. ~~~~~~~~~~~~
  209. Sets or unsets the current time zone in the contained block. When the current
  210. time zone is unset, the default time zone applies.
  211. .. code-block:: html+django
  212. {% load tz %}
  213. {% timezone "Europe/Paris" %}
  214. Paris time: {{ value }}
  215. {% endtimezone %}
  216. {% timezone None %}
  217. Server time: {{ value }}
  218. {% endtimezone %}
  219. .. templatetag:: get_current_timezone
  220. ``get_current_timezone``
  221. ~~~~~~~~~~~~~~~~~~~~~~~~
  222. You can get the name of the current time zone using the
  223. ``get_current_timezone`` tag:
  224. .. code-block:: html+django
  225. {% get_current_timezone as TIME_ZONE %}
  226. Alternatively, you can activate the
  227. :func:`~django.template.context_processors.tz` context processor and
  228. use the ``TIME_ZONE`` context variable.
  229. Template filters
  230. ----------------
  231. These filters accept both aware and naive datetimes. For conversion purposes,
  232. they assume that naive datetimes are in the default time zone. They always
  233. return aware datetimes.
  234. .. templatefilter:: localtime
  235. ``localtime``
  236. ~~~~~~~~~~~~~
  237. Forces conversion of a single value to the current time zone.
  238. For example:
  239. .. code-block:: html+django
  240. {% load tz %}
  241. {{ value|localtime }}
  242. .. templatefilter:: utc
  243. ``utc``
  244. ~~~~~~~
  245. Forces conversion of a single value to UTC.
  246. For example:
  247. .. code-block:: html+django
  248. {% load tz %}
  249. {{ value|utc }}
  250. .. templatefilter:: timezone
  251. ``timezone``
  252. ~~~~~~~~~~~~
  253. Forces conversion of a single value to an arbitrary timezone.
  254. The argument must be an instance of a :class:`~datetime.tzinfo` subclass or a
  255. time zone name.
  256. For example:
  257. .. code-block:: html+django
  258. {% load tz %}
  259. {{ value|timezone:"Europe/Paris" }}
  260. .. _time-zones-migration-guide:
  261. Migration guide
  262. ===============
  263. Here's how to migrate a project that was started before Django supported time
  264. zones.
  265. Database
  266. --------
  267. PostgreSQL
  268. ~~~~~~~~~~
  269. The PostgreSQL backend stores datetimes as ``timestamp with time zone``. In
  270. practice, this means it converts datetimes from the connection's time zone to
  271. UTC on storage, and from UTC to the connection's time zone on retrieval.
  272. As a consequence, if you're using PostgreSQL, you can switch between ``USE_TZ
  273. = False`` and ``USE_TZ = True`` freely. The database connection's time zone
  274. will be set to :setting:`DATABASE-TIME_ZONE` or ``UTC`` respectively, so that
  275. Django obtains correct datetimes in all cases. You don't need to perform any
  276. data conversions.
  277. .. admonition:: Time zone settings
  278. The :setting:`time zone <DATABASE-TIME_ZONE>` configured for the connection
  279. in the :setting:`DATABASES` setting is distinct from the general
  280. :setting:`TIME_ZONE` setting.
  281. Other databases
  282. ~~~~~~~~~~~~~~~
  283. Other backends store datetimes without time zone information. If you switch
  284. from ``USE_TZ = False`` to ``USE_TZ = True``, you must convert your data from
  285. local time to UTC -- which isn't deterministic if your local time has DST.
  286. Code
  287. ----
  288. The first step is to add :setting:`USE_TZ = True <USE_TZ>` to your settings
  289. file. At this point, things should mostly work. If you create naive datetime
  290. objects in your code, Django makes them aware when necessary.
  291. However, these conversions may fail around DST transitions, which means you
  292. aren't getting the full benefits of time zone support yet. Also, you're likely
  293. to run into a few problems because it's impossible to compare a naive datetime
  294. with an aware datetime. Since Django now gives you aware datetimes, you'll get
  295. exceptions wherever you compare a datetime that comes from a model or a form
  296. with a naive datetime that you've created in your code.
  297. So the second step is to refactor your code wherever you instantiate datetime
  298. objects to make them aware. This can be done incrementally.
  299. :mod:`django.utils.timezone` defines some handy helpers for compatibility
  300. code: :func:`~django.utils.timezone.now`,
  301. :func:`~django.utils.timezone.is_aware`,
  302. :func:`~django.utils.timezone.is_naive`,
  303. :func:`~django.utils.timezone.make_aware`, and
  304. :func:`~django.utils.timezone.make_naive`.
  305. Finally, in order to help you locate code that needs upgrading, Django raises
  306. a warning when you attempt to save a naive datetime to the database:
  307. .. code-block:: pytb
  308. RuntimeWarning: DateTimeField ModelName.field_name received a naive
  309. datetime (2012-01-01 00:00:00) while time zone support is active.
  310. During development, you can turn such warnings into exceptions and get a
  311. traceback by adding the following to your settings file::
  312. import warnings
  313. warnings.filterwarnings(
  314. "error",
  315. r"DateTimeField .* received a naive datetime",
  316. RuntimeWarning,
  317. r"django\.db\.models\.fields",
  318. )
  319. Fixtures
  320. --------
  321. When serializing an aware datetime, the UTC offset is included, like this::
  322. "2011-09-01T13:20:30+03:00"
  323. While for a naive datetime, it isn't::
  324. "2011-09-01T13:20:30"
  325. For models with :class:`~django.db.models.DateTimeField`\ s, this difference
  326. makes it impossible to write a fixture that works both with and without time
  327. zone support.
  328. Fixtures generated with ``USE_TZ = False``, or before Django 1.4, use the
  329. "naive" format. If your project contains such fixtures, after you enable time
  330. zone support, you'll see :exc:`RuntimeWarning`\ s when you load them. To get
  331. rid of the warnings, you must convert your fixtures to the "aware" format.
  332. You can regenerate fixtures with :djadmin:`loaddata` then :djadmin:`dumpdata`.
  333. Or, if they're small enough, you can edit them to add the UTC offset that
  334. matches your :setting:`TIME_ZONE` to each serialized datetime.
  335. .. _time-zones-faq:
  336. FAQ
  337. ===
  338. Setup
  339. -----
  340. #. **I don't need multiple time zones. Should I enable time zone support?**
  341. Yes. When time zone support is enabled, Django uses a more accurate model
  342. of local time. This shields you from subtle and unreproducible bugs around
  343. daylight saving time (DST) transitions.
  344. When you enable time zone support, you'll encounter some errors because
  345. you're using naive datetimes where Django expects aware datetimes. Such
  346. errors show up when running tests. You'll quickly learn how to avoid invalid
  347. operations.
  348. On the other hand, bugs caused by the lack of time zone support are much
  349. harder to prevent, diagnose and fix. Anything that involves scheduled tasks
  350. or datetime arithmetic is a candidate for subtle bugs that will bite you
  351. only once or twice a year.
  352. For these reasons, time zone support is enabled by default in new projects,
  353. and you should keep it unless you have a very good reason not to.
  354. #. **I've enabled time zone support. Am I safe?**
  355. Maybe. You're better protected from DST-related bugs, but you can still
  356. shoot yourself in the foot by carelessly turning naive datetimes into aware
  357. datetimes, and vice-versa.
  358. If your application connects to other systems -- for instance, if it queries
  359. a web service -- make sure datetimes are properly specified. To transmit
  360. datetimes safely, their representation should include the UTC offset, or
  361. their values should be in UTC (or both!).
  362. Finally, our calendar system contains interesting edge cases. For example,
  363. you can't always subtract one year directly from a given date:
  364. .. code-block:: pycon
  365. >>> import datetime
  366. >>> def one_year_before(value): # Wrong example.
  367. ... return value.replace(year=value.year - 1)
  368. ...
  369. >>> one_year_before(datetime.datetime(2012, 3, 1, 10, 0))
  370. datetime.datetime(2011, 3, 1, 10, 0)
  371. >>> one_year_before(datetime.datetime(2012, 2, 29, 10, 0))
  372. Traceback (most recent call last):
  373. ...
  374. ValueError: day is out of range for month
  375. To implement such a function correctly, you must decide whether 2012-02-29
  376. minus one year is 2011-02-28 or 2011-03-01, which depends on your business
  377. requirements.
  378. #. **How do I interact with a database that stores datetimes in local time?**
  379. Set the :setting:`TIME_ZONE <DATABASE-TIME_ZONE>` option to the appropriate
  380. time zone for this database in the :setting:`DATABASES` setting.
  381. This is useful for connecting to a database that doesn't support time zones
  382. and that isn't managed by Django when :setting:`USE_TZ` is ``True``.
  383. Troubleshooting
  384. ---------------
  385. #. **My application crashes with** ``TypeError: can't compare offset-naive``
  386. ``and offset-aware datetimes`` **-- what's wrong?**
  387. Let's reproduce this error by comparing a naive and an aware datetime:
  388. .. code-block:: pycon
  389. >>> from django.utils import timezone
  390. >>> aware = timezone.now()
  391. >>> naive = timezone.make_naive(aware)
  392. >>> naive == aware
  393. Traceback (most recent call last):
  394. ...
  395. TypeError: can't compare offset-naive and offset-aware datetimes
  396. If you encounter this error, most likely your code is comparing these two
  397. things:
  398. - a datetime provided by Django -- for instance, a value read from a form or
  399. a model field. Since you enabled time zone support, it's aware.
  400. - a datetime generated by your code, which is naive (or you wouldn't be
  401. reading this).
  402. Generally, the correct solution is to change your code to use an aware
  403. datetime instead.
  404. If you're writing a pluggable application that's expected to work
  405. independently of the value of :setting:`USE_TZ`, you may find
  406. :func:`django.utils.timezone.now` useful. This function returns the current
  407. date and time as a naive datetime when ``USE_TZ = False`` and as an aware
  408. datetime when ``USE_TZ = True``. You can add or subtract
  409. :class:`datetime.timedelta` as needed.
  410. #. **I see lots of** ``RuntimeWarning: DateTimeField received a naive
  411. datetime`` ``(YYYY-MM-DD HH:MM:SS)`` ``while time zone support is active``
  412. **-- is that bad?**
  413. When time zone support is enabled, the database layer expects to receive
  414. only aware datetimes from your code. This warning occurs when it receives a
  415. naive datetime. This indicates that you haven't finished porting your code
  416. for time zone support. Please refer to the :ref:`migration guide
  417. <time-zones-migration-guide>` for tips on this process.
  418. In the meantime, for backwards compatibility, the datetime is considered to
  419. be in the default time zone, which is generally what you expect.
  420. #. ``now.date()`` **is yesterday! (or tomorrow)**
  421. If you've always used naive datetimes, you probably believe that you can
  422. convert a datetime to a date by calling its :meth:`~datetime.datetime.date`
  423. method. You also consider that a :class:`~datetime.date` is a lot like a
  424. :class:`~datetime.datetime`, except that it's less accurate.
  425. None of this is true in a time zone aware environment:
  426. .. code-block:: pycon
  427. >>> import datetime
  428. >>> import zoneinfo
  429. >>> paris_tz = zoneinfo.ZoneInfo("Europe/Paris")
  430. >>> new_york_tz = zoneinfo.ZoneInfo("America/New_York")
  431. >>> paris = datetime.datetime(2012, 3, 3, 1, 30, tzinfo=paris_tz)
  432. # This is the correct way to convert between time zones.
  433. >>> new_york = paris.astimezone(new_york_tz)
  434. >>> paris == new_york, paris.date() == new_york.date()
  435. (True, False)
  436. >>> paris - new_york, paris.date() - new_york.date()
  437. (datetime.timedelta(0), datetime.timedelta(1))
  438. >>> paris
  439. datetime.datetime(2012, 3, 3, 1, 30, tzinfo=zoneinfo.ZoneInfo(key='Europe/Paris'))
  440. >>> new_york
  441. datetime.datetime(2012, 3, 2, 19, 30, tzinfo=zoneinfo.ZoneInfo(key='America/New_York'))
  442. As this example shows, the same datetime has a different date, depending on
  443. the time zone in which it is represented. But the real problem is more
  444. fundamental.
  445. A datetime represents a **point in time**. It's absolute: it doesn't depend
  446. on anything. On the contrary, a date is a **calendaring concept**. It's a
  447. period of time whose bounds depend on the time zone in which the date is
  448. considered. As you can see, these two concepts are fundamentally different,
  449. and converting a datetime to a date isn't a deterministic operation.
  450. What does this mean in practice?
  451. Generally, you should avoid converting a :class:`~datetime.datetime` to
  452. :class:`~datetime.date`. For instance, you can use the :tfilter:`date`
  453. template filter to only show the date part of a datetime. This filter will
  454. convert the datetime into the current time zone before formatting it,
  455. ensuring the results appear correctly.
  456. If you really need to do the conversion yourself, you must ensure the
  457. datetime is converted to the appropriate time zone first. Usually, this
  458. will be the current timezone:
  459. .. code-block:: pycon
  460. >>> from django.utils import timezone
  461. >>> timezone.activate(zoneinfo.ZoneInfo("Asia/Singapore"))
  462. # For this example, we set the time zone to Singapore, but here's how
  463. # you would obtain the current time zone in the general case.
  464. >>> current_tz = timezone.get_current_timezone()
  465. >>> local = paris.astimezone(current_tz)
  466. >>> local
  467. datetime.datetime(2012, 3, 3, 8, 30, tzinfo=zoneinfo.ZoneInfo(key='Asia/Singapore'))
  468. >>> local.date()
  469. datetime.date(2012, 3, 3)
  470. #. **I get an error** "``Are time zone definitions for your database
  471. installed?``"
  472. If you are using MySQL, see the :ref:`mysql-time-zone-definitions` section
  473. of the MySQL notes for instructions on loading time zone definitions.
  474. Usage
  475. -----
  476. #. **I have a string** ``"2012-02-21 10:28:45"`` **and I know it's in the**
  477. ``"Europe/Helsinki"`` **time zone. How do I turn that into an aware
  478. datetime?**
  479. Here you need to create the required ``ZoneInfo`` instance and attach it to
  480. the naïve datetime:
  481. .. code-block:: pycon
  482. >>> import zoneinfo
  483. >>> from django.utils.dateparse import parse_datetime
  484. >>> naive = parse_datetime("2012-02-21 10:28:45")
  485. >>> naive.replace(tzinfo=zoneinfo.ZoneInfo("Europe/Helsinki"))
  486. datetime.datetime(2012, 2, 21, 10, 28, 45, tzinfo=zoneinfo.ZoneInfo(key='Europe/Helsinki'))
  487. #. **How can I obtain the local time in the current time zone?**
  488. Well, the first question is, do you really need to?
  489. You should only use local time when you're interacting with humans, and the
  490. template layer provides :ref:`filters and tags <time-zones-in-templates>`
  491. to convert datetimes to the time zone of your choice.
  492. Furthermore, Python knows how to compare aware datetimes, taking into
  493. account UTC offsets when necessary. It's much easier (and possibly faster)
  494. to write all your model and view code in UTC. So, in most circumstances,
  495. the datetime in UTC returned by :func:`django.utils.timezone.now` will be
  496. sufficient.
  497. For the sake of completeness, though, if you really want the local time
  498. in the current time zone, here's how you can obtain it:
  499. .. code-block:: pycon
  500. >>> from django.utils import timezone
  501. >>> timezone.localtime(timezone.now())
  502. datetime.datetime(2012, 3, 3, 20, 10, 53, 873365, tzinfo=zoneinfo.ZoneInfo(key='Europe/Paris'))
  503. In this example, the current time zone is ``"Europe/Paris"``.
  504. #. **How can I see all available time zones?**
  505. :func:`zoneinfo.available_timezones` provides the set of all valid keys for
  506. IANA time zones available to your system. See the docs for usage
  507. considerations.