timezones.txt 25 KB

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