Skip to main content

Travel through time in your tests.

Project description

https://github.com/adamchainz/time-machine/workflows/CI/badge.svg?branch=master https://coveralls.io/repos/adamchainz/time-machine/badge.svg https://img.shields.io/pypi/v/time-machine.svg https://img.shields.io/badge/code%20style-black-000000.svg

Travel through time in your tests.

A quick example:

import datetime as dt
import time_machine

@time_machine.travel("1955-11-05 01:22")
def test_delorean():
    assert dt.date.today().isoformat() == "1955-11-05"

For a bit of background, see the introductory blog post.

Installation

Use pip:

python -m pip install time-machine

Python 3.6 to 3.8 supported (CPython only).

Usage

travel(destination, *, tick=True, tz_offset=None)

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.

  • A datetime.date. This will be converted to a UTC datetime with the time 00:00:00.

  • A float or int specifying a Unix timestamp

  • A string, which will be parsed with dateutil.parse and converted to a timestamp.

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.

tz_offset allows you to offset the given destination. It may be a timedelta or a number of seconds, which will be added to destination. It may be negative.

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.gmtime()

  • time.localtime()

  • time.clock_gettime() (only for CLOCK_REALTIME)

  • time.clock_gettime_ns() (only for CLOCK_REALTIME)

  • 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 and instance, use start() to move to the destination time, and stop() to move back. For example:

import datetime as dt
import time_machine

traveller = time_machine.travel(dt.datetime(1955, 11, 5))
traveller.start()
# It's the past!
assert dt.date.today() == dt.date(1955, 11, 5)
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.

Usage with shift() method

The start() method and entry of the context manager both return a Coordinates object that corresponds to the time travel. This has a shift() method that takes one argument, delta, which moves the current time. delta may be a timedelta or a number of seconds, which will be added to destination.

For example:

import datetime as dt
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

Function Decorator

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

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):

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.

Context Manager

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

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():

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.

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 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.

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

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

Although this is rare, it’s often used to optimize repeat loops.

freezegun

Steve Pulec’s 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 wraps the 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). 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. This can be a complete blocker for many teams.

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, tick, and tz_offset 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 between function calls, and should normally be tested as such. Testing with time frozen can make it easy to write complete assertions, but it’s quite artificial.

  • 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.

Some features aren’t supported like the auto_tick_seconds argument, or the move_to() method. 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().

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

time-machine-1.1.0.tar.gz (32.1 kB view details)

Uploaded Source

Built Distributions

If you're not sure about the file name format, learn more about wheel file names.

time_machine-1.1.0-cp38-cp38-manylinux2010_x86_64.whl (32.3 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.12+ x86-64

time_machine-1.1.0-cp38-cp38-manylinux1_x86_64.whl (25.9 kB view details)

Uploaded CPython 3.8

time_machine-1.1.0-cp38-cp38-manylinux1_i686.whl (24.7 kB view details)

Uploaded CPython 3.8

time_machine-1.1.0-cp37-cp37m-manylinux2010_x86_64.whl (30.5 kB view details)

Uploaded CPython 3.7mmanylinux: glibc 2.12+ x86-64

time_machine-1.1.0-cp37-cp37m-manylinux1_x86_64.whl (24.2 kB view details)

Uploaded CPython 3.7m

time_machine-1.1.0-cp37-cp37m-manylinux1_i686.whl (23.2 kB view details)

Uploaded CPython 3.7m

time_machine-1.1.0-cp36-cp36m-manylinux2010_x86_64.whl (28.3 kB view details)

Uploaded CPython 3.6mmanylinux: glibc 2.12+ x86-64

time_machine-1.1.0-cp36-cp36m-manylinux1_x86_64.whl (23.0 kB view details)

Uploaded CPython 3.6m

time_machine-1.1.0-cp36-cp36m-manylinux1_i686.whl (22.0 kB view details)

Uploaded CPython 3.6m

File details

Details for the file time-machine-1.1.0.tar.gz.

File metadata

  • Download URL: time-machine-1.1.0.tar.gz
  • Upload date:
  • Size: 32.1 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time-machine-1.1.0.tar.gz
Algorithm Hash digest
SHA256 9ef3d4d3e6cf6a8d4e1ff057072fb0600a3fc901b4b1c33518b85e395b16b4fa
MD5 0193531e2a84d379447995d36a64c330
BLAKE2b-256 7c55de7fb3ce03f8d4b628e70769ebd9e720269848c586d1adc280831d2fcdd2

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp38-cp38-manylinux2010_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp38-cp38-manylinux2010_x86_64.whl
  • Upload date:
  • Size: 32.3 kB
  • Tags: CPython 3.8, manylinux: glibc 2.12+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp38-cp38-manylinux2010_x86_64.whl
Algorithm Hash digest
SHA256 3ab8d83e2ad73b9fb01c1e1655b579d115481f377347f69da0fed0148eb361a7
MD5 de3afb4ae009e53ecfcbebc1d40b1674
BLAKE2b-256 caa00a4528d77287c5912beb0fda2877c160c7cb0e64ccdd7e09ad4eec4e31d5

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp38-cp38-manylinux1_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp38-cp38-manylinux1_x86_64.whl
  • Upload date:
  • Size: 25.9 kB
  • Tags: CPython 3.8
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp38-cp38-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 57c5ab2b8623739acfe150c3aa340c76ae9d37eed12e70deae7a9ae532937f5d
MD5 052ced7f88fbd5cce16880225428d41f
BLAKE2b-256 5bf07a8c3cdd6d2f05580822105a39f2803e3e510e687015ab060e75334fed84

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp38-cp38-manylinux1_i686.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp38-cp38-manylinux1_i686.whl
  • Upload date:
  • Size: 24.7 kB
  • Tags: CPython 3.8
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp38-cp38-manylinux1_i686.whl
Algorithm Hash digest
SHA256 69eb57a5bdd7a75c4d6f938ce47a86355225a05211d7198cdb52a1c9e193c4fd
MD5 3e611eb9723285488f6e4be5c2016277
BLAKE2b-256 1841ba2aee6a2623b7a00f9b39d981dd4a59d09c29140fecde5fc5aa97569ac0

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp37-cp37m-manylinux2010_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp37-cp37m-manylinux2010_x86_64.whl
  • Upload date:
  • Size: 30.5 kB
  • Tags: CPython 3.7m, manylinux: glibc 2.12+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp37-cp37m-manylinux2010_x86_64.whl
Algorithm Hash digest
SHA256 07ef9881df53119ea8c76d78a9239e590aae9c1db68edcc1f1d4608e15bacb11
MD5 4171c524676c1aa79489e62959bbf6d7
BLAKE2b-256 6fe3c1f5dea063b1e5a6230821f77477810df94cdff4155418c6b42c1c37f6ad

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp37-cp37m-manylinux1_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp37-cp37m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 24.2 kB
  • Tags: CPython 3.7m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp37-cp37m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 6739ca56eab2d224e441cbbc11f243d41418603cad756318585c40718c5fbfed
MD5 a05e8e5ab0d74f1330cd8da3be698145
BLAKE2b-256 4c88582c2681cc61dfcc41f064696b355db0bfd65f283811effd3fe1ed1cbd28

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp37-cp37m-manylinux1_i686.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp37-cp37m-manylinux1_i686.whl
  • Upload date:
  • Size: 23.2 kB
  • Tags: CPython 3.7m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp37-cp37m-manylinux1_i686.whl
Algorithm Hash digest
SHA256 22c27d29f0faa522860aa0646c5966b1f04a2238a3e9a38f3385416bec5a42c5
MD5 3f4634b9ec8bbc5d6587fae8d5bdd5c2
BLAKE2b-256 191de9c40af2137b5407030adb7a84d6f7d7bacd9f4173d553502f85c86583a2

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp36-cp36m-manylinux2010_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp36-cp36m-manylinux2010_x86_64.whl
  • Upload date:
  • Size: 28.3 kB
  • Tags: CPython 3.6m, manylinux: glibc 2.12+ x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp36-cp36m-manylinux2010_x86_64.whl
Algorithm Hash digest
SHA256 7b33a846c4b74f70180b6238f58a29e43b524bd734f6bbfa44ad3a0193c61c60
MD5 9f801502657d12c68c408e941f437418
BLAKE2b-256 256a540e487154bb6d1c5886142ce0e52230517853491361d6b1989663a10bd0

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp36-cp36m-manylinux1_x86_64.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp36-cp36m-manylinux1_x86_64.whl
  • Upload date:
  • Size: 23.0 kB
  • Tags: CPython 3.6m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp36-cp36m-manylinux1_x86_64.whl
Algorithm Hash digest
SHA256 78576d2dc76e41c4647b33ebe0c73dc7c3f705343c848816f880d3879d8eb26e
MD5 9e814ef676907be2aa2200d73312aaad
BLAKE2b-256 5854fb20d4c728d8a204331c4da813d6a9d44d963aab9c18b9c182bc81a3c143

See more details on using hashes here.

File details

Details for the file time_machine-1.1.0-cp36-cp36m-manylinux1_i686.whl.

File metadata

  • Download URL: time_machine-1.1.0-cp36-cp36m-manylinux1_i686.whl
  • Upload date:
  • Size: 22.0 kB
  • Tags: CPython 3.6m
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/41.2.0 requests-toolbelt/0.9.1 tqdm/4.43.0 CPython/3.8.2

File hashes

Hashes for time_machine-1.1.0-cp36-cp36m-manylinux1_i686.whl
Algorithm Hash digest
SHA256 7c82597f2803341a026095cd5b156e89d7bbbb45c6f46cb1a97f5aab817bc3a2
MD5 a8e7a3045547c3da47a9e675e00d5864
BLAKE2b-256 8bdd20a45281da7cdb338e0ba8cf40e5c23ab79c48757745a078fbe182d48622

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page