Back to Testing guides

A Beginner's Guide to Unit Testing with Freezegun

Stanley Ulili
Updated on April 3, 2025

Freezegun is a simple but powerful Python library that makes it easy to test code based on the current date or time.

It lets you "freeze" time during tests to control what datetime returns. This is super useful for testing things like scheduled tasks, expiration logic, or time-based conditions—whether you're working on the backend or frontend.

In this guide, you'll use Freezegun’s main features and write clear, reliable tests for time-sensitive code.

Prerequisites

Ensure you have Python installed—version 3.13 or higher is recommended.

You should also be familiar with basic Python and testing concepts.

Step 1 — Setting up the directory

In this section, you'll create a project directory and set up Freezegun to test your Python code that depends on time.

To begin, create a new directory and navigate into it:

 
mkdir freezegun-demo && cd freezegun-demo

Then, create a virtual environment and activate it:

 
python3 -m venv venv
 
source venv/bin/activate

This command creates a virtual environment that keeps your project dependencies isolated.

Now, install Freezegun and pytest as development dependencies:

 
pip install freezegun pytest

After installation, create a simple Python module with a time-dependent function. Here's the function in full:

time_functions.py
from datetime import datetime

def get_current_year():
    """Return the current year."""
    return datetime.now().year

def is_weekend():
    """Check if today is a weekend day."""
    return datetime.now().weekday() >= 5

def format_timestamp(format_string="%Y-%m-%d %H:%M:%S"):
    """Return the current timestamp in the specified format."""
    return datetime.now().strftime(format_string)

The get_current_year() function returns the current year, is_weekend() checks if the current day is a weekend, and format_timestamp() returns a formatted current timestamp. Save this file at the root of your project.

Next, let's write the first test using Freezegun.

Step 2 — Writing your first test

Unit tests help ensure that time-dependent functions behave as expected under different conditions. Instead of waiting for specific times or dates to test your functions, you can "freeze" time using Freezegun.

Start by creating a tests directory in your project root:

 
mkdir tests

Next, create an empty __init__.py file in the tests directory to make it a proper Python package:

 
touch tests/__init__.py

Next, create a file named test_time_functions.py inside the tests directory and add the following test:

tests/test_time_functions.py
from freezegun import freeze_time
from datetime import datetime
from time_functions import get_current_year

def test_get_current_year():
    with freeze_time("2023-05-15"):
        assert get_current_year() == 2023

The freeze_time decorator or context manager temporarily changes the return value of datetime.now(), allowing you to control the date and time during the test.

Within this test, the freeze_time context manager sets the date to May 15, 2023, and we check whether get_current_year() returns 2023 as expected.

Now that the test is written, let's run it in the next step.

Step 3 — Running your tests

With your test file set up, you can run it using pytest.

To execute all tests, run:

 
pytest

Pytest will automatically find and run test files inside the tests directory. The output should look something like this:

Output
============================================================== test session starts ==============================================================
platform darwin -- Python 3.13.2, pytest-8.3.5, pluggy-1.5.0
rootdir: /home/path-to-your/freezegun-demo
collected 1 item                                                                                                                                

tests/test_time_functions.py .                                                                                                            [100%]

=============================================================== 1 passed in 0.07s ===============================================================

The test runner successfully detected and executed the test_time_functions.py file, confirming that the test suite ran as expected.

Alongside the results, the execution time for each test case is displayed, providing insight into the performance of the test run.

You can enable verbose mode to see more details about the tests being executed:

 
pytest -v
Output
...
collected 1 item                                                                                                                                

tests/test_time_functions.py::test_get_current_year PASSED                                                                                [100%]

=============================================================== 1 passed in 0.06s ===============================================================

This shows that the test_get_current_year test passed successfully, verifying that our function works correctly when the date is set to May 15, 2023.

Step 4 — Testing date-dependent functionality

As your application grows, you'll likely need to test functions with more complex time dependencies. Freezegun provides several ways to freeze time at different points, allowing you to test various scenarios.

Let's expand our test file to include more tests for date-dependent functionality:

 
# tests/test_time_functions.py
from freezegun import freeze_time
from datetime import datetime
from time_functions import get_current_year, is_weekend, format_timestamp
def test_get_current_year(): with freeze_time("2023-05-15"): assert get_current_year() == 2023
def test_is_weekend():
# May 15, 2023 is a Monday (weekday)
with freeze_time("2023-05-15"):
assert is_weekend() == False
# May 20, 2023 is a Saturday (weekend)
with freeze_time("2023-05-20"):
assert is_weekend() == True
# May 21, 2023 is a Sunday (weekend)
with freeze_time("2023-05-21"):
assert is_weekend() == True
def test_format_timestamp():
# Freeze time to a specific datetime
with freeze_time("2023-05-15 14:30:45"):
assert format_timestamp() == "2023-05-15 14:30:45"
assert format_timestamp("%Y/%m/%d") == "2023/05/15"
assert format_timestamp("%H:%M") == "14:30"

In test_is_weekend(), the test freezes time to a Monday, Saturday, and Sunday to check if the is_weekend() function correctly identifies weekends. This is useful for features like scheduling or applying different rules on weekends.

test_format_timestamp() ensures the format_timestamp() function returns consistent output across different formats by freezing time to a specific datetime. It checks the full timestamp, a date-only format, and a time-only format—helpful for logs or user interfaces.

These tests improve reliability by removing dependence on the real system clock. Run them with:

 
pytest -v
Output
collected 3 items                                                                                                                               

tests/test_time_functions.py::test_get_current_year PASSED                                                                                [ 33%]
tests/test_time_functions.py::test_is_weekend PASSED                                                                                      [ 66%]
tests/test_time_functions.py::test_format_timestamp PASSED                                                                                [100%]

This approach allows you to test time-dependent code comprehensively without waiting for specific dates or times to occur, making your tests reliable and repeatable.

Step 5 — Using the decorator syntax

Freezegun provides both a context manager and a decorator syntax. While we've used the context manager in previous examples, the decorator syntax can be more concise, especially when the entire test function needs to run at a specific time.

Let's update our test file to use decorator syntax:

tests/test_time_functions.py
from freezegun import freeze_time
from datetime import datetime
from time_functions import get_current_year, is_weekend, format_timestamp

@freeze_time("2023-05-15")
def test_get_current_year():
assert get_current_year() == 2023
@freeze_time("2023-05-20") # Saturday
def test_weekend_saturday():
assert is_weekend() == True
@freeze_time("2023-05-15") # Monday
def test_weekend_weekday():
assert is_weekend() == False
@freeze_time("2023-05-15 14:30:45")
def test_format_timestamp():
assert format_timestamp() == "2023-05-15 14:30:45"
assert format_timestamp("%Y/%m/%d") == "2023/05/15"
assert format_timestamp("%H:%M") == "14:30"

Running these tests should produce similar results to our previous examples:

 
pytest -v
Output
collected 4 items                                                                                                                               

tests/test_time_functions.py::test_get_current_year PASSED                                                                                [ 25%]
tests/test_time_functions.py::test_weekend_saturday PASSED                                                                                [ 50%]
tests/test_time_functions.py::test_weekend_weekday PASSED                                                                                 [ 75%]
tests/test_time_functions.py::test_format_timestamp PASSED                                                                                [100%]

=============================================================== 4 passed in 0.11s ===============================================================

The decorator syntax is particularly useful when all test method assertions must be executed at the same frozen time. It enhances readability by clearly indicating the time context for the entire test function.

Step 6 — Advancing time during tests

Sometimes, it's important to test how your code behaves as time moves forward—like checking timeouts, scheduled events, or age-based logic. Freezegun makes this easy by letting you simulate the passage of time within your tests.

Start by creating a new file called time_travel.py with a few functions that rely on elapsed time:

time_travel.py
from datetime import datetime, timedelta

def calculate_age(birth_date):
    today = datetime.now()
    age = today.year - birth_date.year
    if (today.month, today.day) < (birth_date.month, birth_date.day):
        age -= 1
    return age

def is_token_expired(token_timestamp, expiry_minutes=30):
    return datetime.now() > token_timestamp + timedelta(minutes=expiry_minutes)

This code defines two functions that rely on the current time. calculate_age figures out a person's age based on their birth date, adjusting if their birthday hasn’t passed yet this year.

The is_token_expired function checks if a token has passed its expiration time. Both depend on datetime.now(), making them perfect for testing with Freezegun to simulate time changes reliably.

Now, let's write tests that simulate time passing to check how these functions behave. Create a file called test_time_travel.py:

tests/test_time_travel.py
from freezegun import freeze_time
from datetime import datetime
from time_travel import calculate_age, is_token_expired

def test_calculate_age():
    with freeze_time("2023-05-15") as frozen_time:
        assert calculate_age(datetime(2000, 5, 15)) == 23
        assert calculate_age(datetime(2000, 5, 16)) == 22

        frozen_time.move_to("2023-05-17")
        assert calculate_age(datetime(2000, 5, 16)) == 23

def test_token_expiry():
    with freeze_time("2023-05-15 10:00:00") as frozen_time:
        token_time = datetime.now()
        assert is_token_expired(token_time) == False

        frozen_time.move_to("2023-05-15 10:20:00")
        assert is_token_expired(token_time) == False

        frozen_time.move_to("2023-05-15 10:35:00")
        assert is_token_expired(token_time) == True

This test file uses Freezegun to simulate the passage of time and verify time-based logic.

In test_calculate_age(), the test freezes time to check how age changes before and after a birthday. Advancing time confirms that the function updates correctly as the date changes.

In test_token_expiry(), a token is issued at 10:00 AM. The test moves time forward to confirm it expires after 30 minutes, as expected.

When you run these tests, you'll see how Freezegun allows you to manipulate time:

 
pytest -v tests/test_time_travel.py
Output
collected 2 items                                                                                                                               

tests/test_time_travel.py::test_calculate_age PASSED                                                                                      [ 50%]
tests/test_time_travel.py::test_token_expiry PASSED                                                                                       [100%]

=============================================================== 2 passed in 0.06s ===============================================================

The ability to advance time during tests is powerful for checking time-dependent behavior without introducing arbitrary delays that would make your tests slow and fragile.

Step 7 — Auto-tick advancement

For testing code that checks the current time repeatedly, Freezegun provides an "auto-tick" feature. This automatically advances the frozen time after each call to datetime.now(), simulating the passage of time.

Create a file called timer.py and add the following function:

timer.py
from datetime import datetime

class SimpleTimer:
    def __init__(self):
        self.start_time = datetime.now()

    def elapsed_seconds(self):
        return (datetime.now() - self.start_time).total_seconds()

    def reset(self):
        self.start_time = datetime.now()

This SimpleTimer class tracks elapsed time between its creation (or last reset) and the current moment. It stores the start time and calculates the difference when elapsed_seconds() is called.

Next, create a test_auto_tick.py file to test the timer function using Freezegun’s auto-tick feature:

tests/test_auto_tick.py
from freezegun import freeze_time
from datetime import datetime
from timer import SimpleTimer


def test_timer_without_auto_tick():
    with freeze_time("2023-05-15 10:00:00"):
        timer = SimpleTimer()
        assert timer.elapsed_seconds() == 0
        assert timer.elapsed_seconds() == 0


def test_timer_with_auto_tick():
    with freeze_time("2023-05-15 10:00:00", auto_tick_seconds=2):
        timer = SimpleTimer()
        assert timer.elapsed_seconds() == 2.0
        assert timer.elapsed_seconds() == 4.0
        timer.reset()
        assert timer.elapsed_seconds() == 2.0

The first test shows normal behavior where time remains frozen, so multiple calls to elapsed_seconds() always return 0.

The second test demonstrates auto-tick by setting autotickseconds=2, which advances the clock by 2 seconds every time datetime.now() is called internally.

Run the test to see auto-tick in action:

 
pytest -v tests/test_auto_tick.py
Output
collected 2 items                                                                                                                               

tests/test_auto_tick.py::test_timer_without_auto_tick PASSED                                                                              [ 50%]
tests/test_auto_tick.py::test_timer_with_auto_tick PASSED                                                                                 [100%]

=============================================================== 2 passed in 0.06s ==============================================================

The auto-tick feature is handy for testing code that measures elapsed time or needs to simulate the gradual passage of time without manual intervention.

Since the SimpleTimer.elapsed_seconds() method calls datetime.now() internally, each call advances time automatically when using auto-tick.

Step 8 — Testing different time zones

Handling time zones correctly is often a significant challenge when working with time-dependent applications. Freezegun provides built-in support for testing with different time zones, allowing you to verify that your code works correctly across time zones.

Create a file named timezone_functions.py in your project root with time zone-aware functions:

timezone_functions.py
from datetime import datetime
import pytz

def get_current_time_in_timezone(timezone_name):
    tz = pytz.timezone(timezone_name)
    return datetime.now(tz)

def is_business_hours(timezone_name="America/New_York"):
    tz = pytz.timezone(timezone_name)
    current_time = datetime.now(tz)
    hour = current_time.hour
    return 9 <= hour < 17 and current_time.weekday() < 5

These functions handle different time zone operations. The first gets the current time in a specific time zone, and the second checks if it's business hours (9 AM - 5 PM weekdays) in a given time zone.

Make sure to install the pytz library:

 
pip install pytz

Create a file named tests/test_timezones.py for testing these time zone functions:

tests/test_timezones.py
from freezegun import freeze_time
import pytz
from timezone_functions import get_current_time_in_timezone, is_business_hours

@freeze_time("2023-05-15 12:00:00", tz_offset=0)
def test_timezone_conversion():
    utc_time = get_current_time_in_timezone("UTC")
    assert utc_time.hour == 12

    ny_time = get_current_time_in_timezone("America/New_York")
    assert ny_time.hour == 8

    tokyo_time = get_current_time_in_timezone("Asia/Tokyo")
    assert tokyo_time.hour == 21

@freeze_time("2023-05-15 15:30:00", tz_offset=0)
def test_business_hours():
    assert is_business_hours("America/New_York") == True
    assert is_business_hours("Asia/Tokyo") == False
    assert is_business_hours("Europe/London") == True

In this code, you add tests to verify time zone handling with Freezegun and pytz.

The test_timezone_conversion() function checks if a frozen UTC time is correctly converted to local times in New York, Tokyo, and UTC itself. This ensures time zone offsets are correctly applied.

The test_business_hours() function checks if specific times fall within business hours in different regions. At 3:30 PM UTC, it should be within working hours in New York and London, but outside of them in Tokyo.

These tests help confirm your code handles time zone logic accurately across different locations.

Run the tests to verify that the time zone handling works correctly:

 
pytest -v tests/test_timezones.py
Output
collected 2 items                                                                                                                               

tests/test_timezones.py::test_timezone_conversion PASSED                                                                                  [ 50%]
tests/test_timezones.py::test_business_hours PASSED                                                                                       [100%]

When testing with time zones, the tz_offset parameter in freeze_time is crucial. It specifies the base UTC offset, allowing you to control the reference time. In the examples above, we set it to 0 (UTC) and then test how different time zones relate to that reference time.

This approach is particularly important for applications that serve users across different time zones or need to handle time zone-specific business rules.

Final thoughts

This article showed how Freezegun simplifies testing time-based Python code by giving you full control over datetime.now() in your tests. You learned how to freeze time, simulate its passage, and handle different time zones to test logic like business hours, token expirations, and scheduled tasks.

To dive deeper into advanced features and use cases, check out the official Freezegun documentation.

Author's avatar
Article by
Stanley Ulili
Stanley Ulili is a technical educator at Better Stack based in Malawi. He specializes in backend development and has freelanced for platforms like DigitalOcean, LogRocket, and AppSignal. Stanley is passionate about making complex topics accessible to developers.
Got an article suggestion? Let us know
Next article
Introduction to Modern Load Testing with Grafana K6
Learn how to use Grafana k6 for load testing your applications. This guide covers installation, writing your first test script, running tests, understanding results, and visualizing performance data.
Licensed under CC-BY-NC-SA

This work is licensed under a Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International License.

Make your mark

Join the writer's program

Are you a developer and love writing and sharing your knowledge with the world? Join our guest writing program and get paid for writing amazing technical guides. We'll get them to the right readers that will appreciate them.

Write for us
Writer of the month
Marin Bezhanov
Marin is a software engineer and architect with a broad range of experience working...
Build on top of Better Stack

Write a script, app or project on top of Better Stack and share it with the world. Make a public repository and share it with us at our email.

community@betterstack.com

or submit a pull request and help us build better products for everyone.

See the full list of amazing projects on github