time-machine


Nametime-machine JSON
Version 2.14.1 PyPI version JSON
download
home_pageNone
SummaryTravel through time in your tests.
upload_time2024-03-22 23:14:27
maintainerNone
docs_urlNone
authorNone
requires_python>=3.8
licenseMIT
keywords date datetime mock test testing tests time warp
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            ============
time-machine
============

.. image:: https://img.shields.io/github/actions/workflow/status/adamchainz/time-machine/main.yml?branch=main&style=for-the-badge
   :target: https://github.com/adamchainz/time-machine/actions?workflow=CI

.. image:: https://img.shields.io/badge/Coverage-100%25-success?style=for-the-badge
   :target: https://github.com/adamchainz/time-machine/actions?workflow=CI

.. image:: https://img.shields.io/pypi/v/time-machine.svg?style=for-the-badge
   :target: https://pypi.org/project/time-machine/

.. image:: https://img.shields.io/badge/code%20style-black-000000.svg?style=for-the-badge
   :target: https://github.com/psf/black

.. image:: https://img.shields.io/badge/pre--commit-enabled-brightgreen?logo=pre-commit&logoColor=white&style=for-the-badge
   :target: https://github.com/pre-commit/pre-commit
   :alt: pre-commit

Travel through time in your tests.

A quick example:

.. code-block:: python

    import datetime as dt
    from zoneinfo import ZoneInfo
    import time_machine

    hill_valley_tz = ZoneInfo("America/Los_Angeles")


    @time_machine.travel(dt.datetime(1985, 10, 26, 1, 24, tzinfo=hill_valley_tz))
    def test_delorean():
        assert dt.date.today().isoformat() == "1985-10-26"

For a bit of background, see `the introductory blog post <https://adamj.eu/tech/2020/06/03/introducing-time-machine/>`__ and `the benchmark blog post <https://adamj.eu/tech/2021/02/19/freezegun-versus-time-machine/>`__.

----

**Testing a Django project?**
Check out my book `Speed Up Your Django Tests <https://adamchainz.gumroad.com/l/suydt>`__ which covers loads of ways to write faster, more accurate tests.
I created time-machine whilst writing the book.

----

Installation
============

Use **pip**:

.. code-block:: sh

    python -m pip install time-machine

Python 3.8 to 3.13 supported.
Only CPython is supported at this time because time-machine directly hooks into the C-level API.


Usage
=====

If you’re coming from freezegun or libfaketime, see also the below section on migrating.

``travel(destination, *, tick=True)``
-------------------------------------

``travel()`` is a class that allows time travel, to the datetime specified by ``destination``.
It does so by mocking all functions from Python's standard library that return the current date or datetime.
It can be used independently, as a function decorator, or as a context manager.

``destination`` specifies the datetime to move to.
It may be:

* A ``datetime.datetime``.
  If it is naive, it will be assumed to have the UTC timezone.
  If it has ``tzinfo`` set to a |zoneinfo-instance|_, the current timezone will also be mocked.
* A ``datetime.date``.
  This will be converted to a UTC datetime with the time 00:00:00.
* A ``datetime.timedelta``.
  This will be interpreted relative to the current time.
  If already within a ``travel()`` block, the ``shift()`` method is easier to use (documented below).
* A ``float`` or ``int`` specifying a `Unix timestamp <https://en.m.wikipedia.org/wiki/Unix_time>`__
* A string, which will be parsed with `dateutil.parse <https://dateutil.readthedocs.io/en/stable/parser.html>`__ and converted to a timestamp.
  If the result is naive, it will be assumed to be local time.

.. |zoneinfo-instance| replace:: ``zoneinfo.ZoneInfo`` instance
.. _zoneinfo-instance: https://docs.python.org/3/library/zoneinfo.html#zoneinfo.ZoneInfo

Additionally, you can provide some more complex types:

* A generator, in which case ``next()`` will be called on it, with the result treated as above.
* A callable, in which case it will be called with no parameters, with the result treated as above.

``tick`` defines whether time continues to "tick" after travelling, or is frozen.
If ``True``, the default, successive calls to mocked functions return values increasing by the elapsed real time *since the first call.*
So after starting travel to ``0.0`` (the UNIX epoch), the first call to any datetime function will return its representation of ``1970-01-01 00:00:00.000000`` exactly.
The following calls "tick," so if a call was made exactly half a second later, it would return ``1970-01-01 00:00:00.500000``.

Mocked Functions
^^^^^^^^^^^^^^^^

All datetime functions in the standard library are mocked to move to the destination current datetime:

* ``datetime.datetime.now()``
* ``datetime.datetime.utcnow()``
* ``time.clock_gettime()`` (only for ``CLOCK_REALTIME``)
* ``time.clock_gettime_ns()`` (only for ``CLOCK_REALTIME``)
* ``time.gmtime()``
* ``time.localtime()``
* ``time.monotonic()`` (not a real monotonic clock, returns ``time.time()``)
* ``time.monotonic_ns()`` (not a real monotonic clock, returns ``time.time_ns()``)
* ``time.strftime()``
* ``time.time()``
* ``time.time_ns()``

The mocking is done at the C layer, replacing the function pointers for these built-ins.
Therefore, it automatically affects everywhere those functions have been imported, unlike use of ``unittest.mock.patch()``.

Usage with ``start()`` / ``stop()``
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^

To use independently, create an instance, use ``start()`` to move to the destination time, and ``stop()`` to move back.
For example:

.. code-block:: python

    import datetime as dt
    import time_machine

    traveller = time_machine.travel(dt.datetime(1985, 10, 26))
    traveller.start()
    # It's the past!
    assert dt.date.today() == dt.date(1985, 10, 26)
    traveller.stop()
    # We've gone back to the future!
    assert dt.date.today() > dt.date(2020, 4, 29)

``travel()`` instances are nestable, but you'll need to be careful when manually managing to call their ``stop()`` methods in the correct order, even when exceptions occur.
It's recommended to use the decorator or context manager forms instead, to take advantage of Python features to do this.

Function Decorator
^^^^^^^^^^^^^^^^^^

When used as a function decorator, time is mocked during the wrapped function's duration:

.. code-block:: python

    import time
    import time_machine


    @time_machine.travel("1970-01-01 00:00 +0000")
    def test_in_the_deep_past():
        assert 0.0 < time.time() < 1.0

You can also decorate asynchronous functions (coroutines):

.. code-block:: python

    import time
    import time_machine


    @time_machine.travel("1970-01-01 00:00 +0000")
    async def test_in_the_deep_past():
        assert 0.0 < time.time() < 1.0

Beware: time is a *global* state - `see below <#caveats>`__.

Context Manager
^^^^^^^^^^^^^^^

When used as a context manager, time is mocked during the ``with`` block:

.. code-block:: python

    import time
    import time_machine


    def test_in_the_deep_past():
        with time_machine.travel(0.0):
            assert 0.0 < time.time() < 1.0

Class Decorator
^^^^^^^^^^^^^^^

Only ``unittest.TestCase`` subclasses are supported.
When applied as a class decorator to such classes, time is mocked from the start of ``setUpClass()`` to the end of ``tearDownClass()``:

.. code-block:: python

    import time
    import time_machine
    import unittest


    @time_machine.travel(0.0)
    class DeepPastTests(TestCase):
        def test_in_the_deep_past(self):
            assert 0.0 < time.time() < 1.0

Note this is different to ``unittest.mock.patch()``\'s behaviour, which is to mock only during the test methods.
For pytest-style test classes, see the pattern `documented below <#pytest-plugin>`__.

Timezone mocking
^^^^^^^^^^^^^^^^

If the ``destination`` passed to ``time_machine.travel()`` or ``Coordinates.move_to()`` has its ``tzinfo`` set to a |zoneinfo-instance2|_, the current timezone will be mocked.
This will be done by calling |time-tzset|_, so it is only available on Unix.
The ``zoneinfo`` module is new in Python 3.8 - on older Python versions use the |backports-zoneinfo-package|_, by the original ``zoneinfo`` author.

.. |zoneinfo-instance2| replace:: ``zoneinfo.ZoneInfo`` instance
.. _zoneinfo-instance2: https://docs.python.org/3/library/zoneinfo.html#zoneinfo.ZoneInfo

.. |time-tzset| replace:: ``time.tzset()``
.. _time-tzset: https://docs.python.org/3/library/time.html#time.tzset

.. |backports-zoneinfo-package| replace:: ``backports.zoneinfo`` package
.. _backports-zoneinfo-package: https://pypi.org/project/backports.zoneinfo/

``time.tzset()`` changes the ``time`` module’s `timezone constants <https://docs.python.org/3/library/time.html#timezone-constants>`__ and features that rely on those, such as ``time.localtime()``.
It won’t affect other concepts of “the current timezone”, such as Django’s (which can be changed with its |timezone-override|_).

.. |timezone-override| replace:: ``timezone.override()``
.. _timezone-override: https://docs.djangoproject.com/en/stable/ref/utils/#django.utils.timezone.override

Here’s a worked example changing the current timezone:

.. code-block:: python

    import datetime as dt
    import time
    from zoneinfo import ZoneInfo
    import time_machine

    hill_valley_tz = ZoneInfo("America/Los_Angeles")


    @time_machine.travel(dt.datetime(2015, 10, 21, 16, 29, tzinfo=hill_valley_tz))
    def test_hoverboard_era():
        assert time.tzname == ("PST", "PDT")
        now = dt.datetime.now()
        assert (now.hour, now.minute) == (16, 29)

``Coordinates``
---------------

The ``start()`` method and entry of the context manager both return a ``Coordinates`` object that corresponds to the given "trip" in time.
This has a couple methods that can be used to travel to other times.

``move_to(destination, tick=None)``
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^

``move_to()`` moves the current time to a new destination.
``destination`` may be any of the types supported by ``travel``.

``tick`` may be set to a boolean, to change the ``tick`` flag of ``travel``.

For example:

.. code-block:: python

    import datetime as dt
    import time
    import time_machine

    with time_machine.travel(0, tick=False) as traveller:
        assert time.time() == 0

        traveller.move_to(234)
        assert time.time() == 234

``shift(delta)``
^^^^^^^^^^^^^^^^

``shift()`` takes one argument, ``delta``, which moves the current time by the given offset.
``delta`` may be a ``timedelta`` or a number of seconds, which will be added to destination.
It may be negative, in which case time will move to an earlier point.

For example:

.. code-block:: python

    import datetime as dt
    import time
    import time_machine

    with time_machine.travel(0, tick=False) as traveller:
        assert time.time() == 0

        traveller.shift(dt.timedelta(seconds=100))
        assert time.time() == 100

        traveller.shift(-dt.timedelta(seconds=10))
        assert time.time() == 90

pytest plugin
-------------

time-machine also works as a pytest plugin.
It provides a function-scoped fixture called ``time_machine`` with methods ``move_to()`` and ``shift()``, which have the same signature as their equivalents in ``Coordinates``.
This can be used to mock your test at different points in time and will automatically be un-mock when the test is torn down.

For example:

.. code-block:: python

    import datetime as dt


    def test_delorean(time_machine):
        time_machine.move_to(dt.datetime(1985, 10, 26))

        assert dt.date.today().isoformat() == "1985-10-26"

        time_machine.move_to(dt.datetime(2015, 10, 21))

        assert dt.date.today().isoformat() == "2015-10-21"

        time_machine.shift(dt.timedelta(days=1))

        assert dt.date.today().isoformat() == "2015-10-22"

If you are using pytest test classes, you can apply the fixture to all test methods in a class by adding an autouse fixture:

.. code-block:: python

    import time

    import pytest


    class TestSomething:
        @pytest.fixture(autouse=True)
        def set_time(self, time_machine):
            time_machine.move_to(1000.0)

        def test_one(self):
            assert int(time.time()) == 1000.0

        def test_two(self, time_machine):
            assert int(time.time()) == 1000.0
            time_machine.move_to(2000.0)
            assert int(time.time()) == 2000.0

``escape_hatch``
----------------

The ``escape_hatch`` object provides functions to bypass time-machine.
These allow you to call the real datetime functions, without any mocking.
It also provides a way to check if time-machine is currently time travelling.

These capabilities are useful in rare circumstances.
For example, if you need to authenticate with an external service during time travel, you may need the real value of ``datetime.now()``.

The functions are:

* ``escape_hatch.is_travelling() -> bool`` - returns ``True`` if ``time_machine.travel()`` is active, ``False`` otherwise.

* ``escape_hatch.datetime.datetime.now()`` - wraps the real ``datetime.datetime.now()``.

* ``escape_hatch.datetime.datetime.utcnow()`` - wraps the real ``datetime.datetime.utcnow()``.

* ``escape_hatch.time.clock_gettime()`` - wraps the real ``time.clock_gettime()``.

* ``escape_hatch.time.clock_gettime_ns()`` - wraps the real ``time.clock_gettime_ns()``.

* ``escape_hatch.time.gmtime()`` - wraps the real ``time.gmtime()``.

* ``escape_hatch.time.localtime()`` - wraps the real ``time.localtime()``.

* ``escape_hatch.time.strftime()`` - wraps the real ``time.strftime()``.

* ``escape_hatch.time.time()`` - wraps the real ``time.time()``.

* ``escape_hatch.time.time_ns()`` - wraps the real ``time.time_ns()``.

For example:

.. code-block:: python

    import time_machine


    with time_machine.travel(...):
        if time_machine.escape_hatch.is_travelling():
            print("We need to go back to the future!")

        real_now = time_machine.escape_hatch.datetime.datetime.now()
        external_authenticate(now=real_now)

Caveats
=======

Time is a global state.
Any concurrent threads or asynchronous functions are also be affected.
Some aren't ready for time to move so rapidly or backwards, and may crash or produce unexpected results.

Also beware that other processes are not affected.
For example, if you use SQL datetime functions on a database server, they will return the real time.

Comparison
==========

There are some prior libraries that try to achieve the same thing.
They have their own strengths and weaknesses.
Here's a quick comparison.

unittest.mock
-------------

The standard library's `unittest.mock <https://docs.python.org/3/library/unittest.mock.html>`__ can be used to target imports of ``datetime`` and ``time`` to change the returned value for current time.
Unfortunately, this is fragile as it only affects the import location the mock targets.
Therefore, if you have several modules in a call tree requesting the date/time, you need several mocks.
This is a general problem with unittest.mock - see `Why Your Mock Doesn't Work <https://nedbatchelder.com//blog/201908/why_your_mock_doesnt_work.html>`__.

It's also impossible to mock certain references, such as function default arguments:

.. code-block:: python

    def update_books(_now=time.time):  # set as default argument so faster lookup
        for book in books:
            ...

Although such references are rare, they are occasionally used to optimize highly repeated loops.

freezegun
---------

Steve Pulec's `freezegun <https://github.com/spulec/freezegun>`__ library is a popular solution.
It provides a clear API which was much of the inspiration for time-machine.

The main drawback is its slow implementation.
It essentially does a find-and-replace mock of all the places that the ``datetime`` and ``time`` modules have been imported.
This gets around the problems with using unittest.mock, but it means the time it takes to do the mocking is proportional to the number of loaded modules.
In large projects, this can take several seconds, an impractical overhead for an individual test.

It's also not a perfect search, since it searches only module-level imports.
Such imports are definitely the most common way projects use date and time functions, but they're not the only way.
freezegun won’t find functions that have been “hidden” inside arbitrary objects, such as class-level attributes.

It also can't affect C extensions that call the standard library functions, including (I believe) Cython-ized Python code.

python-libfaketime
------------------

Simon Weber's `python-libfaketime <https://github.com/simon-weber/python-libfaketime/>`__ wraps the `libfaketime <https://github.com/wolfcw/libfaketime>`__ library.
libfaketime replaces all the C-level system calls for the current time with its own wrappers.
It's therefore a "perfect" mock for the current process, affecting every single point the current time might be fetched, and performs much faster than freezegun.

Unfortunately python-libfaketime comes with the limitations of ``LD_PRELOAD``.
This is a mechanism to replace system libraries for a program as it loads (`explanation <http://www.goldsborough.me/c/low-level/kernel/2016/08/29/16-48-53-the_-ld_preload-_trick/>`__).
This causes two issues in particular when you use python-libfaketime.

First, ``LD_PRELOAD`` is only available on Unix platforms, which prevents you from using it on Windows.

Second, you have to help manage ``LD_PRELOAD``.
You either use python-libfaketime's ``reexec_if_needed()`` function, which restarts (*re-execs*) your test process while loading, or manually manage the ``LD_PRELOAD`` environment variable.
Neither is ideal.
Re-execing breaks anything that might wrap your test process, such as profilers, debuggers, and IDE test runners.
Manually managing the environment variable is a bit of overhead, and must be done for each environment you run your tests in, including each developer's machine.

time-machine
------------

time-machine is intended to combine the advantages of freezegun and libfaketime.
It works without ``LD_PRELOAD`` but still mocks the standard library functions everywhere they may be referenced.
Its weak point is that other libraries using date/time system calls won't be mocked.
Thankfully this is rare.
It's also possible such python libraries can be added to the set mocked by time-machine.

One drawback is that it only works with CPython, so can't be used with other Python interpreters like PyPy.
However it may possible to extend it to support other interpreters through different mocking mechanisms.

Migrating from libfaketime or freezegun
=======================================

freezegun has a useful API, and python-libfaketime copies some of it, with a different function name.
time-machine also copies some of freezegun's API, in ``travel()``\'s ``destination``, and ``tick`` arguments, and the ``shift()`` method.
There are a few differences:

* time-machine's ``tick`` argument defaults to ``True``, because code tends to make the (reasonable) assumption that time progresses whilst running, and should normally be tested as such.
  Testing with time frozen can make it easy to write complete assertions, but it's quite artificial.
  Write assertions against time ranges, rather than against exact values.

* freezegun interprets dates and naive datetimes in the local time zone (including those parsed from strings with ``dateutil``).
  This means tests can pass when run in one time zone and fail in another.
  time-machine instead interprets dates and naive datetimes in UTC so they are fixed points in time.
  Provide time zones where required.

* freezegun's ``tick()`` method has been implemented as ``shift()``, to avoid confusion with the ``tick`` argument.
  It also requires an explicit delta rather than defaulting to 1 second.

* freezegun's ``tz_offset`` argument is not supported, since it only partially mocks the current time zone.
  Time zones are more complicated than a single offset from UTC, and freezegun only uses the offset in ``time.localtime()``.
  Instead, time-machine will mock the current time zone if you give it a ``datetime`` with a ``ZoneInfo`` timezone.

Some features aren't supported like the ``auto_tick_seconds`` argument.
These may be added in a future release.

If you are only fairly simple function calls, you should be able to migrate by replacing calls to ``freezegun.freeze_time()`` and ``libfaketime.fake_time()`` with ``time_machine.travel()``.

            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "time-machine",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.8",
    "maintainer_email": null,
    "keywords": "date, datetime, mock, test, testing, tests, time, warp",
    "author": null,
    "author_email": "Adam Johnson <me@adamj.eu>",
    "download_url": "https://files.pythonhosted.org/packages/dc/c1/ca7e6e7cc4689dadf599d7432dd649b195b84262000ed5d87d52aafcb7e6/time-machine-2.14.1.tar.gz",
    "platform": null,
    "description": "============\ntime-machine\n============\n\n.. image:: https://img.shields.io/github/actions/workflow/status/adamchainz/time-machine/main.yml?branch=main&style=for-the-badge\n   :target: https://github.com/adamchainz/time-machine/actions?workflow=CI\n\n.. image:: https://img.shields.io/badge/Coverage-100%25-success?style=for-the-badge\n   :target: https://github.com/adamchainz/time-machine/actions?workflow=CI\n\n.. image:: https://img.shields.io/pypi/v/time-machine.svg?style=for-the-badge\n   :target: https://pypi.org/project/time-machine/\n\n.. image:: https://img.shields.io/badge/code%20style-black-000000.svg?style=for-the-badge\n   :target: https://github.com/psf/black\n\n.. image:: https://img.shields.io/badge/pre--commit-enabled-brightgreen?logo=pre-commit&logoColor=white&style=for-the-badge\n   :target: https://github.com/pre-commit/pre-commit\n   :alt: pre-commit\n\nTravel through time in your tests.\n\nA quick example:\n\n.. code-block:: python\n\n    import datetime as dt\n    from zoneinfo import ZoneInfo\n    import time_machine\n\n    hill_valley_tz = ZoneInfo(\"America/Los_Angeles\")\n\n\n    @time_machine.travel(dt.datetime(1985, 10, 26, 1, 24, tzinfo=hill_valley_tz))\n    def test_delorean():\n        assert dt.date.today().isoformat() == \"1985-10-26\"\n\nFor a bit of background, see `the introductory blog post <https://adamj.eu/tech/2020/06/03/introducing-time-machine/>`__ and `the benchmark blog post <https://adamj.eu/tech/2021/02/19/freezegun-versus-time-machine/>`__.\n\n----\n\n**Testing a Django project?**\nCheck out my book `Speed Up Your Django Tests <https://adamchainz.gumroad.com/l/suydt>`__ which covers loads of ways to write faster, more accurate tests.\nI created time-machine whilst writing the book.\n\n----\n\nInstallation\n============\n\nUse **pip**:\n\n.. code-block:: sh\n\n    python -m pip install time-machine\n\nPython 3.8 to 3.13 supported.\nOnly CPython is supported at this time because time-machine directly hooks into the C-level API.\n\n\nUsage\n=====\n\nIf you\u2019re coming from freezegun or libfaketime, see also the below section on migrating.\n\n``travel(destination, *, tick=True)``\n-------------------------------------\n\n``travel()`` is a class that allows time travel, to the datetime specified by ``destination``.\nIt does so by mocking all functions from Python's standard library that return the current date or datetime.\nIt can be used independently, as a function decorator, or as a context manager.\n\n``destination`` specifies the datetime to move to.\nIt may be:\n\n* A ``datetime.datetime``.\n  If it is naive, it will be assumed to have the UTC timezone.\n  If it has ``tzinfo`` set to a |zoneinfo-instance|_, the current timezone will also be mocked.\n* A ``datetime.date``.\n  This will be converted to a UTC datetime with the time 00:00:00.\n* A ``datetime.timedelta``.\n  This will be interpreted relative to the current time.\n  If already within a ``travel()`` block, the ``shift()`` method is easier to use (documented below).\n* A ``float`` or ``int`` specifying a `Unix timestamp <https://en.m.wikipedia.org/wiki/Unix_time>`__\n* A string, which will be parsed with `dateutil.parse <https://dateutil.readthedocs.io/en/stable/parser.html>`__ and converted to a timestamp.\n  If the result is naive, it will be assumed to be local time.\n\n.. |zoneinfo-instance| replace:: ``zoneinfo.ZoneInfo`` instance\n.. _zoneinfo-instance: https://docs.python.org/3/library/zoneinfo.html#zoneinfo.ZoneInfo\n\nAdditionally, you can provide some more complex types:\n\n* A generator, in which case ``next()`` will be called on it, with the result treated as above.\n* A callable, in which case it will be called with no parameters, with the result treated as above.\n\n``tick`` defines whether time continues to \"tick\" after travelling, or is frozen.\nIf ``True``, the default, successive calls to mocked functions return values increasing by the elapsed real time *since the first call.*\nSo after starting travel to ``0.0`` (the UNIX epoch), the first call to any datetime function will return its representation of ``1970-01-01 00:00:00.000000`` exactly.\nThe following calls \"tick,\" so if a call was made exactly half a second later, it would return ``1970-01-01 00:00:00.500000``.\n\nMocked Functions\n^^^^^^^^^^^^^^^^\n\nAll datetime functions in the standard library are mocked to move to the destination current datetime:\n\n* ``datetime.datetime.now()``\n* ``datetime.datetime.utcnow()``\n* ``time.clock_gettime()`` (only for ``CLOCK_REALTIME``)\n* ``time.clock_gettime_ns()`` (only for ``CLOCK_REALTIME``)\n* ``time.gmtime()``\n* ``time.localtime()``\n* ``time.monotonic()`` (not a real monotonic clock, returns ``time.time()``)\n* ``time.monotonic_ns()`` (not a real monotonic clock, returns ``time.time_ns()``)\n* ``time.strftime()``\n* ``time.time()``\n* ``time.time_ns()``\n\nThe mocking is done at the C layer, replacing the function pointers for these built-ins.\nTherefore, it automatically affects everywhere those functions have been imported, unlike use of ``unittest.mock.patch()``.\n\nUsage with ``start()`` / ``stop()``\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n\nTo use independently, create an instance, use ``start()`` to move to the destination time, and ``stop()`` to move back.\nFor example:\n\n.. code-block:: python\n\n    import datetime as dt\n    import time_machine\n\n    traveller = time_machine.travel(dt.datetime(1985, 10, 26))\n    traveller.start()\n    # It's the past!\n    assert dt.date.today() == dt.date(1985, 10, 26)\n    traveller.stop()\n    # We've gone back to the future!\n    assert dt.date.today() > dt.date(2020, 4, 29)\n\n``travel()`` instances are nestable, but you'll need to be careful when manually managing to call their ``stop()`` methods in the correct order, even when exceptions occur.\nIt's recommended to use the decorator or context manager forms instead, to take advantage of Python features to do this.\n\nFunction Decorator\n^^^^^^^^^^^^^^^^^^\n\nWhen used as a function decorator, time is mocked during the wrapped function's duration:\n\n.. code-block:: python\n\n    import time\n    import time_machine\n\n\n    @time_machine.travel(\"1970-01-01 00:00 +0000\")\n    def test_in_the_deep_past():\n        assert 0.0 < time.time() < 1.0\n\nYou can also decorate asynchronous functions (coroutines):\n\n.. code-block:: python\n\n    import time\n    import time_machine\n\n\n    @time_machine.travel(\"1970-01-01 00:00 +0000\")\n    async def test_in_the_deep_past():\n        assert 0.0 < time.time() < 1.0\n\nBeware: time is a *global* state - `see below <#caveats>`__.\n\nContext Manager\n^^^^^^^^^^^^^^^\n\nWhen used as a context manager, time is mocked during the ``with`` block:\n\n.. code-block:: python\n\n    import time\n    import time_machine\n\n\n    def test_in_the_deep_past():\n        with time_machine.travel(0.0):\n            assert 0.0 < time.time() < 1.0\n\nClass Decorator\n^^^^^^^^^^^^^^^\n\nOnly ``unittest.TestCase`` subclasses are supported.\nWhen applied as a class decorator to such classes, time is mocked from the start of ``setUpClass()`` to the end of ``tearDownClass()``:\n\n.. code-block:: python\n\n    import time\n    import time_machine\n    import unittest\n\n\n    @time_machine.travel(0.0)\n    class DeepPastTests(TestCase):\n        def test_in_the_deep_past(self):\n            assert 0.0 < time.time() < 1.0\n\nNote this is different to ``unittest.mock.patch()``\\'s behaviour, which is to mock only during the test methods.\nFor pytest-style test classes, see the pattern `documented below <#pytest-plugin>`__.\n\nTimezone mocking\n^^^^^^^^^^^^^^^^\n\nIf the ``destination`` passed to ``time_machine.travel()`` or ``Coordinates.move_to()`` has its ``tzinfo`` set to a |zoneinfo-instance2|_, the current timezone will be mocked.\nThis will be done by calling |time-tzset|_, so it is only available on Unix.\nThe ``zoneinfo`` module is new in Python 3.8 - on older Python versions use the |backports-zoneinfo-package|_, by the original ``zoneinfo`` author.\n\n.. |zoneinfo-instance2| replace:: ``zoneinfo.ZoneInfo`` instance\n.. _zoneinfo-instance2: https://docs.python.org/3/library/zoneinfo.html#zoneinfo.ZoneInfo\n\n.. |time-tzset| replace:: ``time.tzset()``\n.. _time-tzset: https://docs.python.org/3/library/time.html#time.tzset\n\n.. |backports-zoneinfo-package| replace:: ``backports.zoneinfo`` package\n.. _backports-zoneinfo-package: https://pypi.org/project/backports.zoneinfo/\n\n``time.tzset()`` changes the ``time`` module\u2019s `timezone constants <https://docs.python.org/3/library/time.html#timezone-constants>`__ and features that rely on those, such as ``time.localtime()``.\nIt won\u2019t affect other concepts of \u201cthe current timezone\u201d, such as Django\u2019s (which can be changed with its |timezone-override|_).\n\n.. |timezone-override| replace:: ``timezone.override()``\n.. _timezone-override: https://docs.djangoproject.com/en/stable/ref/utils/#django.utils.timezone.override\n\nHere\u2019s a worked example changing the current timezone:\n\n.. code-block:: python\n\n    import datetime as dt\n    import time\n    from zoneinfo import ZoneInfo\n    import time_machine\n\n    hill_valley_tz = ZoneInfo(\"America/Los_Angeles\")\n\n\n    @time_machine.travel(dt.datetime(2015, 10, 21, 16, 29, tzinfo=hill_valley_tz))\n    def test_hoverboard_era():\n        assert time.tzname == (\"PST\", \"PDT\")\n        now = dt.datetime.now()\n        assert (now.hour, now.minute) == (16, 29)\n\n``Coordinates``\n---------------\n\nThe ``start()`` method and entry of the context manager both return a ``Coordinates`` object that corresponds to the given \"trip\" in time.\nThis has a couple methods that can be used to travel to other times.\n\n``move_to(destination, tick=None)``\n^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n\n``move_to()`` moves the current time to a new destination.\n``destination`` may be any of the types supported by ``travel``.\n\n``tick`` may be set to a boolean, to change the ``tick`` flag of ``travel``.\n\nFor example:\n\n.. code-block:: python\n\n    import datetime as dt\n    import time\n    import time_machine\n\n    with time_machine.travel(0, tick=False) as traveller:\n        assert time.time() == 0\n\n        traveller.move_to(234)\n        assert time.time() == 234\n\n``shift(delta)``\n^^^^^^^^^^^^^^^^\n\n``shift()`` takes one argument, ``delta``, which moves the current time by the given offset.\n``delta`` may be a ``timedelta`` or a number of seconds, which will be added to destination.\nIt may be negative, in which case time will move to an earlier point.\n\nFor example:\n\n.. code-block:: python\n\n    import datetime as dt\n    import time\n    import time_machine\n\n    with time_machine.travel(0, tick=False) as traveller:\n        assert time.time() == 0\n\n        traveller.shift(dt.timedelta(seconds=100))\n        assert time.time() == 100\n\n        traveller.shift(-dt.timedelta(seconds=10))\n        assert time.time() == 90\n\npytest plugin\n-------------\n\ntime-machine also works as a pytest plugin.\nIt provides a function-scoped fixture called ``time_machine`` with methods ``move_to()`` and ``shift()``, which have the same signature as their equivalents in ``Coordinates``.\nThis can be used to mock your test at different points in time and will automatically be un-mock when the test is torn down.\n\nFor example:\n\n.. code-block:: python\n\n    import datetime as dt\n\n\n    def test_delorean(time_machine):\n        time_machine.move_to(dt.datetime(1985, 10, 26))\n\n        assert dt.date.today().isoformat() == \"1985-10-26\"\n\n        time_machine.move_to(dt.datetime(2015, 10, 21))\n\n        assert dt.date.today().isoformat() == \"2015-10-21\"\n\n        time_machine.shift(dt.timedelta(days=1))\n\n        assert dt.date.today().isoformat() == \"2015-10-22\"\n\nIf you are using pytest test classes, you can apply the fixture to all test methods in a class by adding an autouse fixture:\n\n.. code-block:: python\n\n    import time\n\n    import pytest\n\n\n    class TestSomething:\n        @pytest.fixture(autouse=True)\n        def set_time(self, time_machine):\n            time_machine.move_to(1000.0)\n\n        def test_one(self):\n            assert int(time.time()) == 1000.0\n\n        def test_two(self, time_machine):\n            assert int(time.time()) == 1000.0\n            time_machine.move_to(2000.0)\n            assert int(time.time()) == 2000.0\n\n``escape_hatch``\n----------------\n\nThe ``escape_hatch`` object provides functions to bypass time-machine.\nThese allow you to call the real datetime functions, without any mocking.\nIt also provides a way to check if time-machine is currently time travelling.\n\nThese capabilities are useful in rare circumstances.\nFor example, if you need to authenticate with an external service during time travel, you may need the real value of ``datetime.now()``.\n\nThe functions are:\n\n* ``escape_hatch.is_travelling() -> bool`` - returns ``True`` if ``time_machine.travel()`` is active, ``False`` otherwise.\n\n* ``escape_hatch.datetime.datetime.now()`` - wraps the real ``datetime.datetime.now()``.\n\n* ``escape_hatch.datetime.datetime.utcnow()`` - wraps the real ``datetime.datetime.utcnow()``.\n\n* ``escape_hatch.time.clock_gettime()`` - wraps the real ``time.clock_gettime()``.\n\n* ``escape_hatch.time.clock_gettime_ns()`` - wraps the real ``time.clock_gettime_ns()``.\n\n* ``escape_hatch.time.gmtime()`` - wraps the real ``time.gmtime()``.\n\n* ``escape_hatch.time.localtime()`` - wraps the real ``time.localtime()``.\n\n* ``escape_hatch.time.strftime()`` - wraps the real ``time.strftime()``.\n\n* ``escape_hatch.time.time()`` - wraps the real ``time.time()``.\n\n* ``escape_hatch.time.time_ns()`` - wraps the real ``time.time_ns()``.\n\nFor example:\n\n.. code-block:: python\n\n    import time_machine\n\n\n    with time_machine.travel(...):\n        if time_machine.escape_hatch.is_travelling():\n            print(\"We need to go back to the future!\")\n\n        real_now = time_machine.escape_hatch.datetime.datetime.now()\n        external_authenticate(now=real_now)\n\nCaveats\n=======\n\nTime is a global state.\nAny concurrent threads or asynchronous functions are also be affected.\nSome aren't ready for time to move so rapidly or backwards, and may crash or produce unexpected results.\n\nAlso beware that other processes are not affected.\nFor example, if you use SQL datetime functions on a database server, they will return the real time.\n\nComparison\n==========\n\nThere are some prior libraries that try to achieve the same thing.\nThey have their own strengths and weaknesses.\nHere's a quick comparison.\n\nunittest.mock\n-------------\n\nThe standard library's `unittest.mock <https://docs.python.org/3/library/unittest.mock.html>`__ can be used to target imports of ``datetime`` and ``time`` to change the returned value for current time.\nUnfortunately, this is fragile as it only affects the import location the mock targets.\nTherefore, if you have several modules in a call tree requesting the date/time, you need several mocks.\nThis is a general problem with unittest.mock - see `Why Your Mock Doesn't Work <https://nedbatchelder.com//blog/201908/why_your_mock_doesnt_work.html>`__.\n\nIt's also impossible to mock certain references, such as function default arguments:\n\n.. code-block:: python\n\n    def update_books(_now=time.time):  # set as default argument so faster lookup\n        for book in books:\n            ...\n\nAlthough such references are rare, they are occasionally used to optimize highly repeated loops.\n\nfreezegun\n---------\n\nSteve Pulec's `freezegun <https://github.com/spulec/freezegun>`__ library is a popular solution.\nIt provides a clear API which was much of the inspiration for time-machine.\n\nThe main drawback is its slow implementation.\nIt essentially does a find-and-replace mock of all the places that the ``datetime`` and ``time`` modules have been imported.\nThis gets around the problems with using unittest.mock, but it means the time it takes to do the mocking is proportional to the number of loaded modules.\nIn large projects, this can take several seconds, an impractical overhead for an individual test.\n\nIt's also not a perfect search, since it searches only module-level imports.\nSuch imports are definitely the most common way projects use date and time functions, but they're not the only way.\nfreezegun won\u2019t find functions that have been \u201chidden\u201d inside arbitrary objects, such as class-level attributes.\n\nIt also can't affect C extensions that call the standard library functions, including (I believe) Cython-ized Python code.\n\npython-libfaketime\n------------------\n\nSimon Weber's `python-libfaketime <https://github.com/simon-weber/python-libfaketime/>`__ wraps the `libfaketime <https://github.com/wolfcw/libfaketime>`__ library.\nlibfaketime replaces all the C-level system calls for the current time with its own wrappers.\nIt's therefore a \"perfect\" mock for the current process, affecting every single point the current time might be fetched, and performs much faster than freezegun.\n\nUnfortunately python-libfaketime comes with the limitations of ``LD_PRELOAD``.\nThis is a mechanism to replace system libraries for a program as it loads (`explanation <http://www.goldsborough.me/c/low-level/kernel/2016/08/29/16-48-53-the_-ld_preload-_trick/>`__).\nThis causes two issues in particular when you use python-libfaketime.\n\nFirst, ``LD_PRELOAD`` is only available on Unix platforms, which prevents you from using it on Windows.\n\nSecond, you have to help manage ``LD_PRELOAD``.\nYou either use python-libfaketime's ``reexec_if_needed()`` function, which restarts (*re-execs*) your test process while loading, or manually manage the ``LD_PRELOAD`` environment variable.\nNeither is ideal.\nRe-execing breaks anything that might wrap your test process, such as profilers, debuggers, and IDE test runners.\nManually managing the environment variable is a bit of overhead, and must be done for each environment you run your tests in, including each developer's machine.\n\ntime-machine\n------------\n\ntime-machine is intended to combine the advantages of freezegun and libfaketime.\nIt works without ``LD_PRELOAD`` but still mocks the standard library functions everywhere they may be referenced.\nIts weak point is that other libraries using date/time system calls won't be mocked.\nThankfully this is rare.\nIt's also possible such python libraries can be added to the set mocked by time-machine.\n\nOne drawback is that it only works with CPython, so can't be used with other Python interpreters like PyPy.\nHowever it may possible to extend it to support other interpreters through different mocking mechanisms.\n\nMigrating from libfaketime or freezegun\n=======================================\n\nfreezegun has a useful API, and python-libfaketime copies some of it, with a different function name.\ntime-machine also copies some of freezegun's API, in ``travel()``\\'s ``destination``, and ``tick`` arguments, and the ``shift()`` method.\nThere are a few differences:\n\n* time-machine's ``tick`` argument defaults to ``True``, because code tends to make the (reasonable) assumption that time progresses whilst running, and should normally be tested as such.\n  Testing with time frozen can make it easy to write complete assertions, but it's quite artificial.\n  Write assertions against time ranges, rather than against exact values.\n\n* freezegun interprets dates and naive datetimes in the local time zone (including those parsed from strings with ``dateutil``).\n  This means tests can pass when run in one time zone and fail in another.\n  time-machine instead interprets dates and naive datetimes in UTC so they are fixed points in time.\n  Provide time zones where required.\n\n* freezegun's ``tick()`` method has been implemented as ``shift()``, to avoid confusion with the ``tick`` argument.\n  It also requires an explicit delta rather than defaulting to 1 second.\n\n* freezegun's ``tz_offset`` argument is not supported, since it only partially mocks the current time zone.\n  Time zones are more complicated than a single offset from UTC, and freezegun only uses the offset in ``time.localtime()``.\n  Instead, time-machine will mock the current time zone if you give it a ``datetime`` with a ``ZoneInfo`` timezone.\n\nSome features aren't supported like the ``auto_tick_seconds`` argument.\nThese may be added in a future release.\n\nIf you are only fairly simple function calls, you should be able to migrate by replacing calls to ``freezegun.freeze_time()`` and ``libfaketime.fake_time()`` with ``time_machine.travel()``.\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "Travel through time in your tests.",
    "version": "2.14.1",
    "project_urls": {
        "Changelog": "https://github.com/adamchainz/time-machine/blob/main/CHANGELOG.rst",
        "Funding": "https://adamj.eu/books/",
        "Repository": "https://github.com/adamchainz/time-machine"
    },
    "split_keywords": [
        "date",
        " datetime",
        " mock",
        " test",
        " testing",
        " tests",
        " time",
        " warp"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9b7b0ef163a82e03df536a50ad658a305bb244d658619a7163cc06dc249986e8",
                "md5": "fcfe8832de0423dd2fd30eacc2195d78",
                "sha256": "528d588d1e8ba83e45319a74acab4be0569eb141113fdf50368045d0a7d79cee"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "fcfe8832de0423dd2fd30eacc2195d78",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 20925,
            "upload_time": "2024-03-22T23:27:25",
            "upload_time_iso_8601": "2024-03-22T23:27:25.981754Z",
            "url": "https://files.pythonhosted.org/packages/9b/7b/0ef163a82e03df536a50ad658a305bb244d658619a7163cc06dc249986e8/time_machine-2.14.1-cp310-cp310-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ed72b625138c0bd98b27bd870c676bce59f26e975a0a809dfa3e91e4ef95f7d9",
                "md5": "84fe96870b4518372f675aa926fedd11",
                "sha256": "06e913d570d7ee3e199e3316f10f10c8046287049141b0a101197712b4eac106"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "84fe96870b4518372f675aa926fedd11",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 17009,
            "upload_time": "2024-03-22T23:27:27",
            "upload_time_iso_8601": "2024-03-22T23:27:27.139442Z",
            "url": "https://files.pythonhosted.org/packages/ed/72/b625138c0bd98b27bd870c676bce59f26e975a0a809dfa3e91e4ef95f7d9/time_machine-2.14.1-cp310-cp310-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "82b436e8fdb764b5a9e749a783d18f937e5257d76015508a0f3c504b7b82ea29",
                "md5": "04b75fe632e6511581bdbf0cccb843da",
                "sha256": "ddbbba954e9a409e7d66d60df2b6b8daeb897f8338f909a92d9d20e431ec70d1"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "04b75fe632e6511581bdbf0cccb843da",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 34712,
            "upload_time": "2024-03-22T23:27:32",
            "upload_time_iso_8601": "2024-03-22T23:27:32.263451Z",
            "url": "https://files.pythonhosted.org/packages/82/b4/36e8fdb764b5a9e749a783d18f937e5257d76015508a0f3c504b7b82ea29/time_machine-2.14.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "4d4d054fff82b0465a33132dd288f5968d8c65813b6a73e546f381f5ddce7a5d",
                "md5": "4cbdd902ab6a257f84827e61bb68d6c0",
                "sha256": "72a153b085b4aee652d6b3bf9019ca897f1597ba9869b640b06f28736b267182"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "4cbdd902ab6a257f84827e61bb68d6c0",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 32647,
            "upload_time": "2024-03-22T23:27:29",
            "upload_time_iso_8601": "2024-03-22T23:27:29.262518Z",
            "url": "https://files.pythonhosted.org/packages/4d/4d/054fff82b0465a33132dd288f5968d8c65813b6a73e546f381f5ddce7a5d/time_machine-2.14.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6669e88badf012710221ca01bff0bc00467b165f7f2d3d526dca5204a6da93ca",
                "md5": "d5f49ab5030ce04c594ea28aa672f8f8",
                "sha256": "3b94274abe24b6a90d8a5c042167a9a7af2d3438b42ac8eb5ede50fbc73c08db"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d5f49ab5030ce04c594ea28aa672f8f8",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 34475,
            "upload_time": "2024-03-22T23:27:30",
            "upload_time_iso_8601": "2024-03-22T23:27:30.874388Z",
            "url": "https://files.pythonhosted.org/packages/66/69/e88badf012710221ca01bff0bc00467b165f7f2d3d526dca5204a6da93ca/time_machine-2.14.1-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6da3a6f3f24706eb26fa2e729122df043f45b68a8cda40e676ba7a720aa58f59",
                "md5": "194749c226610eec0f6e0b46b4e60299",
                "sha256": "364353858708628655bf9fa4c2825febd679c729d9e1dd424ff86845828bac05"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-musllinux_1_1_aarch64.whl",
            "has_sig": false,
            "md5_digest": "194749c226610eec0f6e0b46b4e60299",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 38086,
            "upload_time": "2024-03-22T23:27:33",
            "upload_time_iso_8601": "2024-03-22T23:27:33.591638Z",
            "url": "https://files.pythonhosted.org/packages/6d/a3/a6f3f24706eb26fa2e729122df043f45b68a8cda40e676ba7a720aa58f59/time_machine-2.14.1-cp310-cp310-musllinux_1_1_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "fb77ebf4a342b05f628dae51fb1a15fcc7d68df2e8e2469fd69c170cb2e45f67",
                "md5": "80cf7c6a488c4c1621031bf29b931dc0",
                "sha256": "b951b6f4b8a752ab8c441df422e21954a721a0a5276aa3814ce8cf7205aeb6da"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-musllinux_1_1_i686.whl",
            "has_sig": false,
            "md5_digest": "80cf7c6a488c4c1621031bf29b931dc0",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 36428,
            "upload_time": "2024-03-22T23:27:35",
            "upload_time_iso_8601": "2024-03-22T23:27:35.401214Z",
            "url": "https://files.pythonhosted.org/packages/fb/77/ebf4a342b05f628dae51fb1a15fcc7d68df2e8e2469fd69c170cb2e45f67/time_machine-2.14.1-cp310-cp310-musllinux_1_1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "db9615c7cec060d10959b25bd6b6d67f0f31a766778a2162499ec2222ffda415",
                "md5": "8025eac971247f3896c984ebc3ed1034",
                "sha256": "be215eb63d74a3d580f7924bb4209c783fabcfb3253073f4dcb3424d57d0f518"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "8025eac971247f3896c984ebc3ed1034",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 38247,
            "upload_time": "2024-03-22T23:27:37",
            "upload_time_iso_8601": "2024-03-22T23:27:37.328528Z",
            "url": "https://files.pythonhosted.org/packages/db/96/15c7cec060d10959b25bd6b6d67f0f31a766778a2162499ec2222ffda415/time_machine-2.14.1-cp310-cp310-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e581806dddc923224406058ddd98997f7a01065ba6812844fb9bbc1515c74b18",
                "md5": "a92fcf91862e4b8d036688f91082480b",
                "sha256": "0e120f95c17bf8e0c097fd8863a8eb24054f9b17d9b17c465694be50f8348a3a"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-win32.whl",
            "has_sig": false,
            "md5_digest": "a92fcf91862e4b8d036688f91082480b",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 19112,
            "upload_time": "2024-03-22T23:27:38",
            "upload_time_iso_8601": "2024-03-22T23:27:38.493950Z",
            "url": "https://files.pythonhosted.org/packages/e5/81/806dddc923224406058ddd98997f7a01065ba6812844fb9bbc1515c74b18/time_machine-2.14.1-cp310-cp310-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "57b8bfd33e45daf3d9e064bbcdc8b3f2f9648c84ff60520b50fd6a13d6673d60",
                "md5": "ed8982c92bcbf3cba141893897e20f8d",
                "sha256": "fb467d6c9e9ab615c8cf22d751d34296dacf801be323a57adeb4ff345cf72473"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "ed8982c92bcbf3cba141893897e20f8d",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 20030,
            "upload_time": "2024-03-22T23:27:40",
            "upload_time_iso_8601": "2024-03-22T23:27:40.244152Z",
            "url": "https://files.pythonhosted.org/packages/57/b8/bfd33e45daf3d9e064bbcdc8b3f2f9648c84ff60520b50fd6a13d6673d60/time_machine-2.14.1-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c8dc4084f981a4316b940765f420fe4bcb2dd7ef7d14621543695877e7b0af94",
                "md5": "af3e858350885b0bdf8689fe4b8a9e35",
                "sha256": "19db257117739b2dda1d57e149bb715a593313899b3902a7e6d752c5f1d22542"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp310-cp310-win_arm64.whl",
            "has_sig": false,
            "md5_digest": "af3e858350885b0bdf8689fe4b8a9e35",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.8",
            "size": 18365,
            "upload_time": "2024-03-22T23:27:41",
            "upload_time_iso_8601": "2024-03-22T23:27:41.534237Z",
            "url": "https://files.pythonhosted.org/packages/c8/dc/4084f981a4316b940765f420fe4bcb2dd7ef7d14621543695877e7b0af94/time_machine-2.14.1-cp310-cp310-win_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f67765a24ee3fb6274c145f3fc63ecd472641a252921e90a6e3f4f426aef8f75",
                "md5": "1ba08d8aca544874f400e550bd3180b9",
                "sha256": "442d42f1b0ef006f03a5a34905829a1d3ac569a5bcda64d29706e6dc60832f94"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "1ba08d8aca544874f400e550bd3180b9",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 20567,
            "upload_time": "2024-03-22T23:27:43",
            "upload_time_iso_8601": "2024-03-22T23:27:43.271586Z",
            "url": "https://files.pythonhosted.org/packages/f6/77/65a24ee3fb6274c145f3fc63ecd472641a252921e90a6e3f4f426aef8f75/time_machine-2.14.1-cp311-cp311-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b93a4c44df5deb5427a93f081ff4d9fb33bd8954fe3e127b81c350e3a83858cd",
                "md5": "968f3654ccb69f7c35909b01014e98f9",
                "sha256": "0312b47f220e46f1bbfaded7fc1469882d9c2a27c6daf44e119aea7006b595cc"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "968f3654ccb69f7c35909b01014e98f9",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 16822,
            "upload_time": "2024-03-22T23:27:45",
            "upload_time_iso_8601": "2024-03-22T23:27:45.026556Z",
            "url": "https://files.pythonhosted.org/packages/b9/3a/4c44df5deb5427a93f081ff4d9fb33bd8954fe3e127b81c350e3a83858cd/time_machine-2.14.1-cp311-cp311-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "77136b15375a24f0a6bead3ba1106004a6ee069e2ad9f3ead4a264513c1a5d85",
                "md5": "caf782436c759e41e23d4173fc6c2e0c",
                "sha256": "0a39dba3033d9c28347d2db16bcb16041bbf4e9032e2b70023686b6f95deac9d"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "caf782436c759e41e23d4173fc6c2e0c",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 32663,
            "upload_time": "2024-03-22T23:27:48",
            "upload_time_iso_8601": "2024-03-22T23:27:48.877669Z",
            "url": "https://files.pythonhosted.org/packages/77/13/6b15375a24f0a6bead3ba1106004a6ee069e2ad9f3ead4a264513c1a5d85/time_machine-2.14.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9780d3515a8bd3c3b6189fdf412052f61451c5eb1638d3db9f6a0f41d16b2ed4",
                "md5": "6906ebd40c08a0d51aeb32cd3ae7c43c",
                "sha256": "e030d2051bb515251d7f6edd9bbcf79b2b47811e2c402aba9c126af713843d26"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "6906ebd40c08a0d51aeb32cd3ae7c43c",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 30743,
            "upload_time": "2024-03-22T23:27:46",
            "upload_time_iso_8601": "2024-03-22T23:27:46.461741Z",
            "url": "https://files.pythonhosted.org/packages/97/80/d3515a8bd3c3b6189fdf412052f61451c5eb1638d3db9f6a0f41d16b2ed4/time_machine-2.14.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9b35d8fc9ecddfce1fe1e44ac80489d06eddcea65828504277ed160b2ac9aade",
                "md5": "73cce5250db4ba954cef5e2a5802dec8",
                "sha256": "993ab140eb5678d1ee7f1197f08e4499dc8ea883ad6b8858737de70d509ec5b5"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "73cce5250db4ba954cef5e2a5802dec8",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 32505,
            "upload_time": "2024-03-22T23:27:47",
            "upload_time_iso_8601": "2024-03-22T23:27:47.717475Z",
            "url": "https://files.pythonhosted.org/packages/9b/35/d8fc9ecddfce1fe1e44ac80489d06eddcea65828504277ed160b2ac9aade/time_machine-2.14.1-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b2ea28e57b2e63839e406e8699c9e7ab8717f98d0dcc4bec9c5aec5d0e1a7667",
                "md5": "d080a07aa0f25b6a15f937276f65bbff",
                "sha256": "90725f936ad8b123149bc82a46394dd7057e63157ee11ba878164053fa5bd8ad"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-musllinux_1_1_aarch64.whl",
            "has_sig": false,
            "md5_digest": "d080a07aa0f25b6a15f937276f65bbff",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 37717,
            "upload_time": "2024-03-22T23:27:50",
            "upload_time_iso_8601": "2024-03-22T23:27:50.606367Z",
            "url": "https://files.pythonhosted.org/packages/b2/ea/28e57b2e63839e406e8699c9e7ab8717f98d0dcc4bec9c5aec5d0e1a7667/time_machine-2.14.1-cp311-cp311-musllinux_1_1_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3d636fb938009f6e637ac53240b6ee1fe17eaa57345ec0c9992b18f1dca0f6bd",
                "md5": "0ae1f119dab676564b6e2001bc8caeb3",
                "sha256": "59a02c3d3b3b29e2dc3a708e775c5d6b951b0024c4013fed883f0d2205305c9e"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-musllinux_1_1_i686.whl",
            "has_sig": false,
            "md5_digest": "0ae1f119dab676564b6e2001bc8caeb3",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 36172,
            "upload_time": "2024-03-22T23:27:51",
            "upload_time_iso_8601": "2024-03-22T23:27:51.719022Z",
            "url": "https://files.pythonhosted.org/packages/3d/63/6fb938009f6e637ac53240b6ee1fe17eaa57345ec0c9992b18f1dca0f6bd/time_machine-2.14.1-cp311-cp311-musllinux_1_1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "47808b4f96d5b5137f4bc7e4ac5028d6f8614291ba2f651a3b4cc552c18560c5",
                "md5": "d41a7689ad54374f6931c0564de62a8d",
                "sha256": "4f00f67d532da82538c4dfbbddc587e70c82664f168c11e1c2915d0c85ec2fc8"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d41a7689ad54374f6931c0564de62a8d",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 37941,
            "upload_time": "2024-03-22T23:27:52",
            "upload_time_iso_8601": "2024-03-22T23:27:52.952248Z",
            "url": "https://files.pythonhosted.org/packages/47/80/8b4f96d5b5137f4bc7e4ac5028d6f8614291ba2f651a3b4cc552c18560c5/time_machine-2.14.1-cp311-cp311-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e2d2aae19ebd8448663255c98d55cf0ca18c105edf201b6fa8a82a1c741e3f14",
                "md5": "ddfc053a08f5a56338e21b25f79dbbce",
                "sha256": "27f735cba4c6352ad7bc53ce2d86b715379261a634e690b79fac329081e26fb6"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-win32.whl",
            "has_sig": false,
            "md5_digest": "ddfc053a08f5a56338e21b25f79dbbce",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 19019,
            "upload_time": "2024-03-22T23:27:54",
            "upload_time_iso_8601": "2024-03-22T23:27:54.175582Z",
            "url": "https://files.pythonhosted.org/packages/e2/d2/aae19ebd8448663255c98d55cf0ca18c105edf201b6fa8a82a1c741e3f14/time_machine-2.14.1-cp311-cp311-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9129bf1165eb607d91838e5e3a8bd6a7ef75156a10de45ac8d078bba8a5ef155",
                "md5": "9174366740c7cae31860229a54b77be5",
                "sha256": "ee68597bd3fa5ab94633c8a9d3ebd4032091559610e078381818a732910002bc"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "9174366740c7cae31860229a54b77be5",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 19936,
            "upload_time": "2024-03-22T23:27:55",
            "upload_time_iso_8601": "2024-03-22T23:27:55.634470Z",
            "url": "https://files.pythonhosted.org/packages/91/29/bf1165eb607d91838e5e3a8bd6a7ef75156a10de45ac8d078bba8a5ef155/time_machine-2.14.1-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "005c8e030a8ea64c519586021647abd1ffcc307122c530b07e70d46b2b508747",
                "md5": "e7afd35192c7e094a4e914e6e28c58d2",
                "sha256": "6ced9de5eff1fb37efb12984ab7b63f31f0aeadeedec4be6d0404ec4fa91f2e7"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp311-cp311-win_arm64.whl",
            "has_sig": false,
            "md5_digest": "e7afd35192c7e094a4e914e6e28c58d2",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.8",
            "size": 18262,
            "upload_time": "2024-03-22T23:27:57",
            "upload_time_iso_8601": "2024-03-22T23:27:57.445426Z",
            "url": "https://files.pythonhosted.org/packages/00/5c/8e030a8ea64c519586021647abd1ffcc307122c530b07e70d46b2b508747/time_machine-2.14.1-cp311-cp311-win_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3f4f3dc3995be802f820fa608bc9eab2ece3399ddb7ba8306faf890a5cb96bb6",
                "md5": "05f793cdf3314e623f71d707bba824ef",
                "sha256": "30a4a18357fa6cf089eeefcb37e9549b42523aebb5933894770a8919e6c398e1"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "05f793cdf3314e623f71d707bba824ef",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 20542,
            "upload_time": "2024-03-22T23:27:58",
            "upload_time_iso_8601": "2024-03-22T23:27:58.652167Z",
            "url": "https://files.pythonhosted.org/packages/3f/4f/3dc3995be802f820fa608bc9eab2ece3399ddb7ba8306faf890a5cb96bb6/time_machine-2.14.1-cp312-cp312-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "6b0942850355ba563f92022c9512445b5973d93a806e601bb5ff4e9340675556",
                "md5": "6a097de14e7398d5ad62509b799c31e6",
                "sha256": "d45bd60bea85869615b117667f10a821e3b0d3603c47bfd105b45d1f67156fc8"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "6a097de14e7398d5ad62509b799c31e6",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 16825,
            "upload_time": "2024-03-22T23:27:59",
            "upload_time_iso_8601": "2024-03-22T23:27:59.805843Z",
            "url": "https://files.pythonhosted.org/packages/6b/09/42850355ba563f92022c9512445b5973d93a806e601bb5ff4e9340675556/time_machine-2.14.1-cp312-cp312-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "428c5e32b5b8bf6be7938e1f7964ba159c85ac4c11123e2e2f296f2578598a6e",
                "md5": "3fd874e468a2080b9a22c72edd1297a6",
                "sha256": "39de6d37a14ff8882d4f1cbd50c53268b54e1cf4ef9be2bfe590d10a51ccd314"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-macosx_14_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "3fd874e468a2080b9a22c72edd1297a6",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 17174,
            "upload_time": "2024-03-22T23:14:25",
            "upload_time_iso_8601": "2024-03-22T23:14:25.592952Z",
            "url": "https://files.pythonhosted.org/packages/42/8c/5e32b5b8bf6be7938e1f7964ba159c85ac4c11123e2e2f296f2578598a6e/time_machine-2.14.1-cp312-cp312-macosx_14_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "317e7083ec1cfdd8fb1246f6c743d13f791009c7d23c86918943c0098c62d8a7",
                "md5": "1937f0fb3856b03656f11525c50bb3c9",
                "sha256": "7fd7d188b4f9d358c6bd477daf93b460d9b244a4c296ddd065945f2b6193c2bd"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "1937f0fb3856b03656f11525c50bb3c9",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 33978,
            "upload_time": "2024-03-22T23:28:04",
            "upload_time_iso_8601": "2024-03-22T23:28:04.661947Z",
            "url": "https://files.pythonhosted.org/packages/31/7e/7083ec1cfdd8fb1246f6c743d13f791009c7d23c86918943c0098c62d8a7/time_machine-2.14.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "12ea1029dd2776c3cc42266919fb294f122b87d7480ceb84c226275f7f6fb2a4",
                "md5": "5c0905607b49b3b4d682ca6b505f8cd3",
                "sha256": "99e6f013e67c4f74a9d8f57e34173b2047f2ad48f764e44c38f3ee5344a38c01"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "5c0905607b49b3b4d682ca6b505f8cd3",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 31820,
            "upload_time": "2024-03-22T23:28:01",
            "upload_time_iso_8601": "2024-03-22T23:28:01.352488Z",
            "url": "https://files.pythonhosted.org/packages/12/ea/1029dd2776c3cc42266919fb294f122b87d7480ceb84c226275f7f6fb2a4/time_machine-2.14.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "8f68f8570de2080ea01ff28a8510ede07eaec3581efb16a49e8da2c939554c2c",
                "md5": "e56c60661a4fdacc165b65c9119fe0e0",
                "sha256": "a927d87501da8b053a27e80f5d0e1e58fbde4b50d70df2d3853ed67e89a731cf"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "e56c60661a4fdacc165b65c9119fe0e0",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 33632,
            "upload_time": "2024-03-22T23:28:03",
            "upload_time_iso_8601": "2024-03-22T23:28:03.242433Z",
            "url": "https://files.pythonhosted.org/packages/8f/68/f8570de2080ea01ff28a8510ede07eaec3581efb16a49e8da2c939554c2c/time_machine-2.14.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7ea1ff47ac095674a0b20cba2e511662b04b2ffef128e2fbe894fff7e21db930",
                "md5": "1bf6e5cd0a0bda85161b2b94303334e8",
                "sha256": "c77a616561dd4c7c442e9eee8cbb915750496e9a5a7fca6bcb11a9860226d2d0"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-musllinux_1_1_aarch64.whl",
            "has_sig": false,
            "md5_digest": "1bf6e5cd0a0bda85161b2b94303334e8",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 38569,
            "upload_time": "2024-03-22T23:28:06",
            "upload_time_iso_8601": "2024-03-22T23:28:06.538007Z",
            "url": "https://files.pythonhosted.org/packages/7e/a1/ff47ac095674a0b20cba2e511662b04b2ffef128e2fbe894fff7e21db930/time_machine-2.14.1-cp312-cp312-musllinux_1_1_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c345e6932c2c73e4f6ff575f56c137fe636fe6074785e7ef2dad6e767cd73eea",
                "md5": "d33fe60f42431a06cb544a18c28aa2de",
                "sha256": "e7fa70a6bdca40cc4a8386fd85bc1bae0a23ab11e49604ef853ab3ce92be127f"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-musllinux_1_1_i686.whl",
            "has_sig": false,
            "md5_digest": "d33fe60f42431a06cb544a18c28aa2de",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 36774,
            "upload_time": "2024-03-22T23:28:07",
            "upload_time_iso_8601": "2024-03-22T23:28:07.928507Z",
            "url": "https://files.pythonhosted.org/packages/c3/45/e6932c2c73e4f6ff575f56c137fe636fe6074785e7ef2dad6e767cd73eea/time_machine-2.14.1-cp312-cp312-musllinux_1_1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b0f9aef680042be5adee01b7b0cf532b04e47456a31b10a206bd68659c06aad6",
                "md5": "6d20ae603d3b9ecee853c13a3e708732",
                "sha256": "d63ef00d389fa6d2c76c863af580b3e4a8f0ccc6a9aea8e64590588e37f13c00"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "6d20ae603d3b9ecee853c13a3e708732",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 38920,
            "upload_time": "2024-03-22T23:28:09",
            "upload_time_iso_8601": "2024-03-22T23:28:09.774520Z",
            "url": "https://files.pythonhosted.org/packages/b0/f9/aef680042be5adee01b7b0cf532b04e47456a31b10a206bd68659c06aad6/time_machine-2.14.1-cp312-cp312-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "886cc7f62a1beb11749aeae0b055106d4982bf725cecec20db0491f67f1f360c",
                "md5": "7dc3eaa0e8665ffb4dfefcc1e0c0435e",
                "sha256": "6706eb06487354a5e219cacea709fb3ec44dec3842c6218237d5069fa5f1ad64"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-win32.whl",
            "has_sig": false,
            "md5_digest": "7dc3eaa0e8665ffb4dfefcc1e0c0435e",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 19066,
            "upload_time": "2024-03-22T23:28:11",
            "upload_time_iso_8601": "2024-03-22T23:28:11.029993Z",
            "url": "https://files.pythonhosted.org/packages/88/6c/c7f62a1beb11749aeae0b055106d4982bf725cecec20db0491f67f1f360c/time_machine-2.14.1-cp312-cp312-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "bea827a4937a4126a9fa6cf3ee1c2c6c9b5471db88e14c2babbd7546ab497b02",
                "md5": "5de0c0bf6ac6fab669584e270b755bca",
                "sha256": "36aa4f17adcd73a6064bf4991a29126cac93521f0690805edb91db837c4e1453"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "5de0c0bf6ac6fab669584e270b755bca",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 19942,
            "upload_time": "2024-03-22T23:28:12",
            "upload_time_iso_8601": "2024-03-22T23:28:12.842759Z",
            "url": "https://files.pythonhosted.org/packages/be/a8/27a4937a4126a9fa6cf3ee1c2c6c9b5471db88e14c2babbd7546ab497b02/time_machine-2.14.1-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "225e19db2889ac0930ffa3e128206422d56ff96c19a610cb6c81200d67e0af19",
                "md5": "31d49a1ccaed3d2708e14653bbe5fa46",
                "sha256": "edea570f3835a036e8860bb8d6eb8d08473c59313db86e36e3b207f796fd7b14"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp312-cp312-win_arm64.whl",
            "has_sig": false,
            "md5_digest": "31d49a1ccaed3d2708e14653bbe5fa46",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.8",
            "size": 18279,
            "upload_time": "2024-03-22T23:28:14",
            "upload_time_iso_8601": "2024-03-22T23:28:14.100372Z",
            "url": "https://files.pythonhosted.org/packages/22/5e/19db2889ac0930ffa3e128206422d56ff96c19a610cb6c81200d67e0af19/time_machine-2.14.1-cp312-cp312-win_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "384c2e62b177ac276ccf97e8657c6010bd3ed3edcc593bf5c6a71800f0e7d1c7",
                "md5": "28cb35fbb87eb4ec0f476a11fa1641a3",
                "sha256": "87e80408e6b6670e9ce33f94b1cc6b72b1a9b646f5e19f586908129871f74b40"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "28cb35fbb87eb4ec0f476a11fa1641a3",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 20834,
            "upload_time": "2024-03-22T23:26:50",
            "upload_time_iso_8601": "2024-03-22T23:26:50.898822Z",
            "url": "https://files.pythonhosted.org/packages/38/4c/2e62b177ac276ccf97e8657c6010bd3ed3edcc593bf5c6a71800f0e7d1c7/time_machine-2.14.1-cp38-cp38-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "fe7e7f897249051d54133c430c922c4fb651f3df1b005f623128fe17ea8c74a7",
                "md5": "778ad42953078c6d67d7c1a800ffa01a",
                "sha256": "c69c0cb498c86ef843cd15964714e76465cc25d64464da57d5d1318f499de099"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "778ad42953078c6d67d7c1a800ffa01a",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 16954,
            "upload_time": "2024-03-22T23:26:53",
            "upload_time_iso_8601": "2024-03-22T23:26:53.131866Z",
            "url": "https://files.pythonhosted.org/packages/fe/7e/7f897249051d54133c430c922c4fb651f3df1b005f623128fe17ea8c74a7/time_machine-2.14.1-cp38-cp38-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d2f0bedae4c631ee04b8431c41749f3d37dcf1c2e0285f278a44cbd5520b047e",
                "md5": "73727aff300833e55683d8aae25cba32",
                "sha256": "dc48d3934109b0bdbbdc5e9ce577213f7148a92fed378420ee13453503fe4db9"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "73727aff300833e55683d8aae25cba32",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 35382,
            "upload_time": "2024-03-22T23:26:59",
            "upload_time_iso_8601": "2024-03-22T23:26:59.451314Z",
            "url": "https://files.pythonhosted.org/packages/d2/f0/bedae4c631ee04b8431c41749f3d37dcf1c2e0285f278a44cbd5520b047e/time_machine-2.14.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "0b1ebaab75e98a2eac92e8d7f79f88617fd41ac90602ef5bb6f1f908e2c97f5d",
                "md5": "1e9217508380a426f9ce3c3744aa222b",
                "sha256": "7161cea2ff3244cc6075e365fab89000df70ead63a3da9d473983d580558d2de"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "1e9217508380a426f9ce3c3744aa222b",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 33242,
            "upload_time": "2024-03-22T23:26:54",
            "upload_time_iso_8601": "2024-03-22T23:26:54.965149Z",
            "url": "https://files.pythonhosted.org/packages/0b/1e/baab75e98a2eac92e8d7f79f88617fd41ac90602ef5bb6f1f908e2c97f5d/time_machine-2.14.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e910e68c705d13ee5d80b30913bf30596222016d95d0069e0cccf94bb4df2403",
                "md5": "6757f362cc94a582f852f6e76809dc7e",
                "sha256": "39fceeb131e6c07b386de042ce1016be771576e9516124b78e75cbab94ae5041"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "6757f362cc94a582f852f6e76809dc7e",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 35221,
            "upload_time": "2024-03-22T23:26:57",
            "upload_time_iso_8601": "2024-03-22T23:26:57.805332Z",
            "url": "https://files.pythonhosted.org/packages/e9/10/e68c705d13ee5d80b30913bf30596222016d95d0069e0cccf94bb4df2403/time_machine-2.14.1-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "54bfcf0efbadc88008182e8a690628ab2a6268cbad2cfe8c6ff8c2f63327b427",
                "md5": "d4532ee42ecd7f6642123d7516b0bfbe",
                "sha256": "fe508a6c43fb72fa4f66b50b14684cf58d3db95fed617177ec197a7a90427bae"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-musllinux_1_1_aarch64.whl",
            "has_sig": false,
            "md5_digest": "d4532ee42ecd7f6642123d7516b0bfbe",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 39425,
            "upload_time": "2024-03-22T23:27:01",
            "upload_time_iso_8601": "2024-03-22T23:27:01.779848Z",
            "url": "https://files.pythonhosted.org/packages/54/bf/cf0efbadc88008182e8a690628ab2a6268cbad2cfe8c6ff8c2f63327b427/time_machine-2.14.1-cp38-cp38-musllinux_1_1_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "71b511111a20dc687ce7cca970ff229d062769f7f7789f483eeb4411a177084a",
                "md5": "ea1eab5dfe0862c129fb75532e84ce10",
                "sha256": "5f3d5c21884aee10e13b00ef45fab893a43db9d59ec27271573528bd359b0ef5"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-musllinux_1_1_i686.whl",
            "has_sig": false,
            "md5_digest": "ea1eab5dfe0862c129fb75532e84ce10",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 37631,
            "upload_time": "2024-03-22T23:27:03",
            "upload_time_iso_8601": "2024-03-22T23:27:03.682918Z",
            "url": "https://files.pythonhosted.org/packages/71/b5/11111a20dc687ce7cca970ff229d062769f7f7789f483eeb4411a177084a/time_machine-2.14.1-cp38-cp38-musllinux_1_1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "97629b3d3cbed37319257595e8df8305bc7e34ff8920b64b9479f8e652434291",
                "md5": "d1a5c243a8ad217ac03c3b4552092a47",
                "sha256": "a75e24e59f58059bbbc50e7f97aa6d126bbc2f603a8a5cd1e884beffcf130d8f"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d1a5c243a8ad217ac03c3b4552092a47",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 39587,
            "upload_time": "2024-03-22T23:27:05",
            "upload_time_iso_8601": "2024-03-22T23:27:05.811669Z",
            "url": "https://files.pythonhosted.org/packages/97/62/9b3d3cbed37319257595e8df8305bc7e34ff8920b64b9479f8e652434291/time_machine-2.14.1-cp38-cp38-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2cbc3aa595e9a5fef18d266aea9ebbe0112e698c8f53501579451b440cb8ff5a",
                "md5": "077f0601f53904d7959b6b83f9cb7519",
                "sha256": "b0f8ba70fbb71d7fbc6d6adb90bed72a83db15b3318c7af0060467539b2f1b63"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-win32.whl",
            "has_sig": false,
            "md5_digest": "077f0601f53904d7959b6b83f9cb7519",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 19094,
            "upload_time": "2024-03-22T23:27:08",
            "upload_time_iso_8601": "2024-03-22T23:27:08.155847Z",
            "url": "https://files.pythonhosted.org/packages/2c/bc/3aa595e9a5fef18d266aea9ebbe0112e698c8f53501579451b440cb8ff5a/time_machine-2.14.1-cp38-cp38-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a40f80af6fb3a86e5d1cef127664149db6b2ed01cdbd460d8b08626bc6fd0816",
                "md5": "d9a8269eed3cc25fa61e4e6fad1fbf84",
                "sha256": "15cf3623a4ba2bb4fce4529295570acd5f6c6b44bcbfd1b8d0756ce56c38fe82"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp38-cp38-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "d9a8269eed3cc25fa61e4e6fad1fbf84",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.8",
            "size": 20018,
            "upload_time": "2024-03-22T23:27:09",
            "upload_time_iso_8601": "2024-03-22T23:27:09.242414Z",
            "url": "https://files.pythonhosted.org/packages/a4/0f/80af6fb3a86e5d1cef127664149db6b2ed01cdbd460d8b08626bc6fd0816/time_machine-2.14.1-cp38-cp38-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f5093063453cbab0535c82bc44f84a6e7e8a7d9bd2b92ae8ed98d1b9dbb61dee",
                "md5": "3b6a707a302fb73c2fd6fa8dbd64efa0",
                "sha256": "bb3a2518c52aa944989b541e5297b833388eb3fe72d91eb875b21fe771597b04"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "3b6a707a302fb73c2fd6fa8dbd64efa0",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 20913,
            "upload_time": "2024-03-22T23:27:10",
            "upload_time_iso_8601": "2024-03-22T23:27:10.545334Z",
            "url": "https://files.pythonhosted.org/packages/f5/09/3063453cbab0535c82bc44f84a6e7e8a7d9bd2b92ae8ed98d1b9dbb61dee/time_machine-2.14.1-cp39-cp39-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "65f3e2e434adef5ba04d77772061b3345d03bdec6470ad856a1c1bebcf991977",
                "md5": "9ee77bcfe5875c95ae1642bef9d536a3",
                "sha256": "416d94eab7723c7d8a37fe6b3b1882046fdbf3c31b9abec3cac87cf35dbb8230"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "9ee77bcfe5875c95ae1642bef9d536a3",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 17003,
            "upload_time": "2024-03-22T23:27:11",
            "upload_time_iso_8601": "2024-03-22T23:27:11.854827Z",
            "url": "https://files.pythonhosted.org/packages/65/f3/e2e434adef5ba04d77772061b3345d03bdec6470ad856a1c1bebcf991977/time_machine-2.14.1-cp39-cp39-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "8940f20894071b52fcebc4deaeb4cf16f62f5f2f8eedacddd077065d7a00eb64",
                "md5": "566a8fd837197283f3831ae00548a238",
                "sha256": "adfbfa796dd96383400b44681eacc5ab06d3cbfad39c30878e5ead0bfdca808a"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "566a8fd837197283f3831ae00548a238",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 34430,
            "upload_time": "2024-03-22T23:27:16",
            "upload_time_iso_8601": "2024-03-22T23:27:16.243466Z",
            "url": "https://files.pythonhosted.org/packages/89/40/f20894071b52fcebc4deaeb4cf16f62f5f2f8eedacddd077065d7a00eb64/time_machine-2.14.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9fb5b37015fc7fa5ce2ff7df6ed42f091723103ea1f72071ca40a3c290832abf",
                "md5": "d240ea4402fc52bcace69b1dc0cd8868",
                "sha256": "31e6e9bff89b7c6e4cbc169ba1d00d6c107b3abc43173b2799352b6995cf7cb2"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "has_sig": false,
            "md5_digest": "d240ea4402fc52bcace69b1dc0cd8868",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 32374,
            "upload_time": "2024-03-22T23:27:13",
            "upload_time_iso_8601": "2024-03-22T23:27:13.696023Z",
            "url": "https://files.pythonhosted.org/packages/9f/b5/b37015fc7fa5ce2ff7df6ed42f091723103ea1f72071ca40a3c290832abf/time_machine-2.14.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "1c8243e08d8514d46ba5f9bf1d33598ebb3c2331a6f51be0aade2957d5b062a6",
                "md5": "db8ca2cda68cf3062b3c5a2a68ee5efe",
                "sha256": "107caed387438d689180b692e8d84aa1ebe8918790df83dc5e2146e60e5e0859"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "db8ca2cda68cf3062b3c5a2a68ee5efe",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 34199,
            "upload_time": "2024-03-22T23:27:15",
            "upload_time_iso_8601": "2024-03-22T23:27:15.043599Z",
            "url": "https://files.pythonhosted.org/packages/1c/82/43e08d8514d46ba5f9bf1d33598ebb3c2331a6f51be0aade2957d5b062a6/time_machine-2.14.1-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "34175c6156f21762b474118def598bd6f596ea40be2e03ec50cdb98967027fa2",
                "md5": "f73f537358cb304767f7ea44c9bdfe5a",
                "sha256": "cab4abf4d1490a7da35db5a321ff8a4d4a2195f4832a792c75b626ffc4a5584c"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-musllinux_1_1_aarch64.whl",
            "has_sig": false,
            "md5_digest": "f73f537358cb304767f7ea44c9bdfe5a",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 37786,
            "upload_time": "2024-03-22T23:27:17",
            "upload_time_iso_8601": "2024-03-22T23:27:17.973023Z",
            "url": "https://files.pythonhosted.org/packages/34/17/5c6156f21762b474118def598bd6f596ea40be2e03ec50cdb98967027fa2/time_machine-2.14.1-cp39-cp39-musllinux_1_1_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2a5c0ab65ee3fba5ec1a325f5aa5cef244f81655a7cdb8f94b50c29c1eca7335",
                "md5": "725c7867d94dbc1ad04d3286acdec71e",
                "sha256": "fd8645b820f7895fdafbc4412d1ce376956e36ad4fd05a43269aa06c3132afc3"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-musllinux_1_1_i686.whl",
            "has_sig": false,
            "md5_digest": "725c7867d94dbc1ad04d3286acdec71e",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 36153,
            "upload_time": "2024-03-22T23:27:19",
            "upload_time_iso_8601": "2024-03-22T23:27:19.236981Z",
            "url": "https://files.pythonhosted.org/packages/2a/5c/0ab65ee3fba5ec1a325f5aa5cef244f81655a7cdb8f94b50c29c1eca7335/time_machine-2.14.1-cp39-cp39-musllinux_1_1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "8d8e1468b4317f05d090e82f42bcf2c5a9bb3f51e53a431f307db17e112d2d3d",
                "md5": "096731f7baddd4156fd7732b179f92cc",
                "sha256": "dd26039a9ffea2d5ee1309f2ec9b656d4925371c65563822d52e4037a4186eca"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-musllinux_1_1_x86_64.whl",
            "has_sig": false,
            "md5_digest": "096731f7baddd4156fd7732b179f92cc",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 37965,
            "upload_time": "2024-03-22T23:27:20",
            "upload_time_iso_8601": "2024-03-22T23:27:20.648969Z",
            "url": "https://files.pythonhosted.org/packages/8d/8e/1468b4317f05d090e82f42bcf2c5a9bb3f51e53a431f307db17e112d2d3d/time_machine-2.14.1-cp39-cp39-musllinux_1_1_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9306049ee355ab52b91ab6cf61cff53b563178cea0d4987646767ceb34da61b9",
                "md5": "dd31d46bed76b9601f3041a9550b8e19",
                "sha256": "5e19b19d20bfbff8c97949e06e150998cf9d0a676e1641fb90597e59a9d7d5e2"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-win32.whl",
            "has_sig": false,
            "md5_digest": "dd31d46bed76b9601f3041a9550b8e19",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 19110,
            "upload_time": "2024-03-22T23:27:21",
            "upload_time_iso_8601": "2024-03-22T23:27:21.818922Z",
            "url": "https://files.pythonhosted.org/packages/93/06/049ee355ab52b91ab6cf61cff53b563178cea0d4987646767ceb34da61b9/time_machine-2.14.1-cp39-cp39-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7c2ac0538aaa3da50978391153c7d79bb22fe5d9e2f2bee7b2df27c5c13657f1",
                "md5": "1f71ee5f77650fc85bd171a78fefaf9d",
                "sha256": "f5d371a5218318121a6b44c21438258b6408b8bfe7ccccb754cf8eb880505576"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "1f71ee5f77650fc85bd171a78fefaf9d",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 20024,
            "upload_time": "2024-03-22T23:27:23",
            "upload_time_iso_8601": "2024-03-22T23:27:23.182628Z",
            "url": "https://files.pythonhosted.org/packages/7c/2a/c0538aaa3da50978391153c7d79bb22fe5d9e2f2bee7b2df27c5c13657f1/time_machine-2.14.1-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "005c99b9fa4a26cc6e4babb5455b3686f51c6108f4f020c682be26c82fc163da",
                "md5": "076f4835f8adb0783243d20b23408a39",
                "sha256": "2c774f4b603a36ca2611327c57aa8ce0d5042298da008238ee5234b31ce7b22c"
            },
            "downloads": -1,
            "filename": "time_machine-2.14.1-cp39-cp39-win_arm64.whl",
            "has_sig": false,
            "md5_digest": "076f4835f8adb0783243d20b23408a39",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.8",
            "size": 18376,
            "upload_time": "2024-03-22T23:27:24",
            "upload_time_iso_8601": "2024-03-22T23:27:24.353541Z",
            "url": "https://files.pythonhosted.org/packages/00/5c/99b9fa4a26cc6e4babb5455b3686f51c6108f4f020c682be26c82fc163da/time_machine-2.14.1-cp39-cp39-win_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "dcc1ca7e6e7cc4689dadf599d7432dd649b195b84262000ed5d87d52aafcb7e6",
                "md5": "e7dac75fed96300e1eef92094520f58f",
                "sha256": "57dc7efc1dde4331902d1bdefd34e8ee890a5c28533157e3b14a429c86b39533"
            },
            "downloads": -1,
            "filename": "time-machine-2.14.1.tar.gz",
            "has_sig": false,
            "md5_digest": "e7dac75fed96300e1eef92094520f58f",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.8",
            "size": 24965,
            "upload_time": "2024-03-22T23:14:27",
            "upload_time_iso_8601": "2024-03-22T23:14:27.973159Z",
            "url": "https://files.pythonhosted.org/packages/dc/c1/ca7e6e7cc4689dadf599d7432dd649b195b84262000ed5d87d52aafcb7e6/time-machine-2.14.1.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-22 23:14:27",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "adamchainz",
    "github_project": "time-machine",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "tox": true,
    "lcname": "time-machine"
}
        
Elapsed time: 0.24573s