DEV Community

Cover image for Mastering Testing in Django REST Framework: From Pytest and Fixtures to Mocks and Coverage
Mateo Ramirez Rubio
Mateo Ramirez Rubio

Posted on • Originally published at mateoramirezr.hashnode.dev

Mastering Testing in Django REST Framework: From Pytest and Fixtures to Mocks and Coverage

Introduction

In this blog we'll see a basic guide on how to test a Django project using the Django REST Framework! Here, we'll learn the basics of testing with pytest, including essential concepts such as fixtures and mocks, to test execution and test coverage with coverage.

This is the second part of a project we have already done in the blog, in this blog we will do the testing of this project.

You can see how the code base of the Django project was developed step by step with the Django REST framework here:


Contents

In this guide we will cover:

  • Initial Setup: How to install and configure pytest and other packages needed to test your Django project.

  • Fixtures: How to use fixtures to set up test data and prepare the test environment efficiently.

  • Mocks: How to use pytest-mock to simulate behaviours and conditions in your tests, ensuring that you can test different scenarios without relying on real implementations.

  • Model Testing: We will verify the creation of model instances and their string representations to ensure they work as expected.

  • Repository Testing: We will test the operation of repository methods, including database manipulation and error handling.

  • API View Testing: We will validate that API views respond correctly to HTTP requests and handle data properly.

  • Web View Testing: We will ensure that web views load correctly and display the expected content.

  • Code Coverage: We will run tests and generate coverage reports to identify areas of the code that need further testing.

  • Recommendations, Test Types and Best Practices.

We will look at practical examples of configuring files such as pytest.ini and demonstrate how to run the commands to get detailed coverage reports with coverage.


Introduction to Testing with Pytest

Testing is a crucial part of software development that ensures the quality, functionality and reliability of code. In the Python ecosystem, pytest is one of the most popular and powerful tools for testing.

What is Pytest?

pytest is a Python testing framework that makes it easy to write simple, scalable tests. It is known for its simplicity and its ability to adapt to projects of any size. With pytest, you can write unit tests, integration tests, and more, using a clear and concise syntax.

Advantages of Using Pytest:

  1. Simplicity and Flexibility:pytest allows you to write tests using simple functions. You don't need to learn a complex syntax or follow a rigid structure.

  2. Powerful Fixtures:pytest provides a fixture system that allows you to configure the state before and after testing, making it easy to create repeatable and isolated test environments (more on fixtures later in the blog).

  3. Extensible Plugins:pytest has a lot of plugins that extend its functionality, such as pytest-django for Django projects, pytest-mock for mocks and many more.

  4. Clear Error Reporting: Error messages in pytest are detailed and easy to understand, which helps to identify and fix problems quickly.

  5. Automatic Test Detection:pytest automatically detects tests in your project without the need to explicitly record them, which simplifies test organisation.

Integration with Django

pytest integrates easily with Django through the pytest-django plugin. This allows you to efficiently test views, models and other components of a Django project. With pytest-django, you can use Django-specific fixtures, such as the test database, users and more.


Initial setup for Testing with Pytest in a Django project with Django REST Framework

Before starting to write and run tests with pytest in a Django project, it is essential to properly configure the test environment.

Installing the requirements

To install the pytest, pytest-django, beautifulsoup4, coverage and pytest-mock dependencies, follow these steps:

  • Create a virtual environment (optional but recommended):

    python -m venv env
    source env/bin/activate
    
  • Install the dependencies using pip:

    pip install pytest pytest-django beautifulsoup4 coverage pytest-mock
    

Little explanation:

  • pytest: The core testing framework.

  • pytest-django: Plugin that makes it easy to integrate pytest with Django.

  • beautifulsoup4: Used to parse and check HTML in view tests.

  • coverage: Tool to measure test coverage, ensuring that all parts of the code are tested.

  • pytest-mock: Plugin to facilitate the creation and use of mocks in tests.

Pytest configuration

To configure pytest in a Django project, we need to create a pytest.ini file in the root directory of the project. This file will define the specific pytest settings.

Create a file called pytest.ini in the root directory of your Django project and add the following configuration:

[pytest]
DJANGO_SETTINGS_MODULE = my_project_blog.settings
python_files = tests.py test_*.py *_tests.py
Enter fullscreen mode Exit fullscreen mode
  • DJANGO_SETTINGS_MODULE: Specifies the Django configuration module that pytest should use.

  • python_files: Defines the filename patterns that pytest will recognise as test files. In this case, pytest will look for files named tests.py, files starting with test_, and files ending in _tests.py.


Structure

For this project, all the tests of the project will be located in the tests directory which is located in the apps directory. We will follow the following file structure of the tests for better separation of functions and readability:

Structure

In this blog, we will cover some of the main tests (Note: We will only look at the main tests as the others have a similar structure), but you can find the full test code here:

GitHub logo MateoRamirezRubio1 / mini-blog-rest-api

A mini blog Django project demonstrating the implementation of the Services and Repositories design pattern for a blog application.

This project is a Django-based mini blog application designed to illustrate the implementation of the Services and Repositories design pattern. It features a clear separation of concerns, making the codebase easier to maintain and extend.

You can follow the step by step of the making of the app on my blog: My blog.
You can see the application test here: Testing App.

Features

  • Posts and Comments: Users can create, update, and delete blog posts and comments.
  • RESTful API: Provides endpoints for interacting with the application programmatically.
  • Web Interface: Offers a basic user-friendly interface for managing posts and comments.
  • Service Layer: Contains business logic and orchestrates interactions between views and repositories.
  • Repository Layer: Encapsulates data access logic, providing a clean API for the service layer.
  • Django Admin: Allows administrative management of posts and comments.

Project Structure

The project follows a modular structure, with each app having its own models…





Definitions before starting (Fixtures)

In order to get started with the testing, we will create some Fixtures which we will use in several of the tests later on. To give you some context, let's quickly look at what a Fixture is in Pytest.

What is a Fixture?

In the context of testing, a Fixture is a set of data, objects, or configurations that are prepared before running a test.

Fixtures commonly define the steps and data that constitute the Arrange phase of a test (see the anatomy of a test), as well as the Cleanup phase using Python's yield statement (see more on this).

Basically, test functions request the fixtures they need by declaring them as arguments to the test function where they want to use them. So, when pytest is going to run a test, the first thing it does is look at the parameters that this test function has, and then it looks for fixtures that have the same names as those parameters. Once pytest finds them, it executes them, captures what they return (if anything), and passes those objects to the test function as arguments.

In order for Pytest to know that a function is a Fixture, we must decorate it with @pytest.fixture.

What are fixtures used for?

Fixtures are widely used for different functions, some of these are:

  • Prepare the Test Environment: Configure the necessary state for testing to be performed under specific conditions. For example, creating objects in the database or initialising configurations.

  • Code Reuse: Allows the same set of data or configurations to be used in multiple tests, avoiding code duplication.

  • Test Isolation: Ensures that each test runs in a clean and consistent environment, avoiding side effects between tests.

  • Configuration Automation: Simplifies the automatic configuration of the test environment, ensuring that tests are set up correctly before execution.


Coding Fixtures

Already having some knowledge about what fixtures are, for this case, we will create 4 fixtures which we will set in the conftest.py file:

  1. Fixture post:
  • Purpose: To create an instance of Post that can be used for testing.

  • Reason: To test any functionality that involves the Post model, you need an existing Post object in the database. By using a fixture to create this object, you can ensure that each test has a consistent, well-defined Post to work with.

  • Benefit: Using fixtures avoids duplication of code in every test that needs a Post, ensuring that all tests that depend on a Post use the same data set.

    @pytest.fixture
    def post(db):
        """
        Create a Post instance with title and content for testing.
    
        Args:
            db: The pytest fixture that sets up a test database.
    
        Returns:
            Post: A Post object with predefined title and content.
        """
        return Post.objects.create(title="Test Post", content="This is a test post")
    
  1. Fixture comment:
  • Purpose: Create an instance of Comment that is associated to a previously created Post.

  • Rationale: Similar to the Post case, if your tests involve the Comment model, you need a Comment object in the database. By associating the Comment with a Post, you can test the comment-related functionality of a specific post.

  • Benefit: By using this fixture, you can test how comments interact with posts without having to manually create a Post in each test. It also ensures that the Comment is correctly linked to a Post.

    @pytest.fixture
    def comment(db, post):
        """
        Create a Comment instance associated with the provided Post.
    
        Args:
            db: The pytest fixture that sets up a test database.
            post: The Post fixture providing a Post object.
    
        Returns:
            Comment: A Comment object linked to the provided Post.
        """
        return Comment.objects.create(content="This is a test comment", post=post)
    
  1. api_client fixture:
  • Purpose: Provide an instance of APIClient to make HTTP requests to API Endpoints.

  • Rationale: When testing API views and Endpoints, you need a tool to simulate HTTP requests and receive responses. APIClient is ideal for this because it is designed to interact with API Endpoints and verify responses.

  • Benefit: Allows you to test API logic, validations, and responses in a controlled test environment. Ensures that the test client is configured consistently for all API testing.

    @pytest.fixture
    def api_client():
        """
        Provide an instance of APIClient for making API requests.
    
        Returns:
            APIClient: An instance of the APIClient class.
        """
        return APIClient()
    
  1. Fixture client:
  • Purpose: Provide an instance of the standard Django test client for making HTTP requests.

  • Rationale: In addition to testing the API, you may need to test HTML-based views. Client allows you to perform these tests by simulating HTTP requests and verifying the responses of template-based views.

  • Benefit: Allows you to test user interaction with the web application, such as page display and form handling, ensuring that the UI part of the application works correctly.

    @pytest.fixture
    def client():
        """
        Provide a Django test client instance for making HTTP requests.
    
        Returns:
            Client: An instance of Django's test Client class.
        """
        return Client()
    

Coding the tests

Now that we have everything configured, we'll start testing.

We'll do it in blocks, first we'll test the Django models, then the repositories, the services, the API REST views and finally the web views.

Testing the models

File:test_models.py

The testing of the models will verify the correct creation and representation of the Post and Comment models, ensuring that the data is handled and presented correctly in different situations.

  1. test_post_creation(post):
  • Purpose: Verifies that a Post object is created correctly with the expected title and content.

    • Rationale:
    • Input: Uses the post fixture, which creates an instance of Post with predefined data.
    • Verification: Ensures that the title and content attributes of the Post object match the expected values (‘Test Post’ and ‘This is a test post’, respectively).
    • Why: Ensures that the creation of Post objects works as expected by ensuring that the attributes are set correctly at creation time.
    def test_post_creation(post):
        """
        Verify that a Post object is created with the correct title and content.

        Args:
            post: The Post fixture providing a Post object.
        """
        assert post.title == "Test Post"
        assert post.content == "This is a test post"
Enter fullscreen mode Exit fullscreen mode
  1. test_comment_creation(comment):
  • Purpose: Verifies that a Comment object is correctly created with the expected content and that it is associated with the correct Post.

    • Rationale:

      • Input: Uses the comment fixture, which creates an instance of Comment linked to a specific Post.
      • Verification: Ensures that the content attribute of the Comment object is ‘This is a test comment’ and that the associated Post has the expected title ‘Test Post’.
      • Why: Confirms that the comment is correctly associated with the Post and that the data is stored as expected.
    def test_comment_creation(comment):
        """
        Verify that a Comment object is created with the correct content and associated Post title.

        Args:
            comment: The Comment fixture providing a Comment object.
        """
        assert comment.content == "This is a test comment"
        assert comment.post.title == "Test Post"
Enter fullscreen mode Exit fullscreen mode
  1. test_comment_string_representation(comment):
  • Purpose: Verifies that the string representation of a Comment object is correctly truncated to 20 characters.

    • Rationale:
    • Input: Uses the comment fixture, which provides a Comment with specific content.
    • Verification: Checks that the output of str(comment) matches the first 20 characters of the comment content (‘This is a test comment’).
    • Why: Ensures that the ___str___ method of the Comment model behaves correctly, truncating the content to 20 characters as expected, which is useful for displaying a preview of the comment in user interfaces.
    def test_comment_string_representation(comment):
        """
        Verify that the string representation of a Comment is correctly truncated to 20 characters.
    
        Args:
            comment: The Comment fixture providing a Comment object.
        """
        strComment = "This is a test comment"
        assert str(comment) == strComment[:20]
    

Testing repositories

Files:test_repositories_comment.py, test_repositories_post.py

These tests will be in charge of ensuring that the repository methods work correctly both in normal conditions (when data exists) and in error situations (when data does not exist or there are database errors), thus ensuring the reliability of the repository code.

  1. test_repository_get_comment_by_id_exists(comment):
  • Purpose: Verify that a Comment object can be retrieved by its ID when it exists in the database.

Rationale:

  • Input: Uses the comment fixture to provide an existing Comment object.

  • Verification: Uses the get_comment_by_post_and_id method of the CommentRepository to retrieve the comment by post ID and comment ID.

  • Asserts: Checks that the retrieved comment is equal to the Comment object provided by the fixture.

  • Why: Ensures that the repository method works correctly to retrieve existing comments, thus validating the basic functionality of the repository.

    def test_repository_get_comment_by_id_exists(comment):
        """
        Verify that a Comment can be retrieved by its ID when it exists in the database.
    
        Args:
            comment: The Comment fixture providing a Comment object.
    
        Asserts:
            The result should be equal to the provided Comment object.
        """
        result = CommentRepository.get_comment_by_post_and_id(comment.post.id, comment.id)
        assert result == comment
    
  1. test_repository_get_comment_by_id_is_does_not_exist():
  • Purpose: Verify that trying to retrieve a Comment by its ID when it does not exist returns None.

Rationale:

  • Input: Provides a post ID and comment ID that do not exist in the database.

  • Verification: Uses the get_comment_by_post_and_id method of the CommentRepository to try to retrieve the non-existent comment.

  • Asserts: Checks that the result is None.

  • Why: Ensures that the repository method correctly handles cases where the comment does not exist, returning None as expected.

    @pytest.mark.django_db
    def test_repository_get_comment_by_id_is_does_not_exist():
        """
        Verify that attempting to retrieve a Comment by ID when it does not exist returns None.
    
        Asserts:
            The result should be None.
        """
        result = CommentRepository.get_comment_by_post_and_id(232, 9999)  # Non-existent ID
        assert result is None
    

    (

    Little interlude so we know a bit more about what @pytest.mark.django_db is and why we use it:

    @pytest.mark.django_db

    • Purpose: The @pytest.mark.django_db decorator is used to indicate that the test interacts with the Django database.

      Rationale:

      • Input: Some tests need to access or modify the database to verify correct code behaviour.
      • Verification: Without this decorator, tests that attempt to interact with the database would throw an error, as pytest isolates tests from accessing the database by default to improve performance.
      • Why: This decorator is crucial for tests that verify the creation, update, delete or query of objects in the database, ensuring that database operations are performed in a controlled and isolated test environment.

    )

  1. test_database_error_repository_create_comment(mocker):
  • Purpose: To test whether the create_comment repository method handles database errors (DatabaseError) correctly.

    Rationale:

    • Input: Uses mocker to patch the Comment.objects.create method and simulate a DatabaseError.
    • Verification: Attempts to create a comment using the create_comment method of the CommentRepository.
    • Asserts: Checks that a DatabaseError is thrown as a result of the simulation.
    • Why: Ensures that the repository handles database errors correctly during comment creation, thus validating the robustness and error handling capability of the repository.
    def test_database_error_repository_create_comment(mocker):
        """
        Test if the repository method create_comment handles DatabaseError properly.
    
        Args:
            mocker: The pytest-mock fixture used to patch objects.
    
        Asserts:
            The method should raise a DatabaseError when a DatabaseError is simulated.
        """
        mocker.patch('apps.comments.repositories.comment_repository.Comment.objects.create', side_effect=DatabaseError)
    
        with pytest.raises(DatabaseError):
            CommentRepository.create_comment({}, 1)
    

    (

    Little interlude for us to learn a bit about what mocker is and how to use it:

    Using mocker

    • Purpose:mocker is a tool provided by pytest-mock that is used to patch methods or functions during testing. This allows to simulate different behaviours and situations of the components under test.

      Rationale:

      • Input: In tests that verify database error handling, the Comment.objects.create method is patched to simulate a DatabaseError.
      • Verification: By patching this method, the desired behaviour (in this case, throwing a DatabaseError) is forced without the need for the database to actually fail.
      • Asserts: Verifies that the code handles the simulated errors correctly.
      • Why: The use of mocker allows testing how the code handles exceptions and other specific cases without relying on unpredictable external conditions. It is a fundamental technique in unit testing to ensure that the code responds appropriately to different scenarios, including errors.

    )

Testing REST API views

Files:test_api_comment.py, test_api_post.py

These tests will ensure that the REST API views correctly handle the creation and updating of comments and posts, including input validation and error handling.

This approach will help ensure that the REST API views are robust and handle different usage scenarios correctly, improving the quality and reliability of the code.

  1. test_create_comment(api_client, post):
  • Purpose: Verify that a new Comment can be created for a Post via the API.

    Rationale:

    • Input: Uses the api_client fixture to make API requests and the post fixture to provide a Post object.
    • Action: Makes a POST request to the post-comment-create URL with the data needed to create a new comment.
    • Asserts:

      • Verifies that the response status is HTTP 201 Created.
      • Verifies that the response data includes the content of the new comment.
    • Why: Ensures that the API handles the creation of new comments correctly by validating the resource creation functionality.

    def test_create_comment(api_client, post):
        """
        Verify that a new Comment can be created for a Post via the API.
    
        Args:
            api_client: The APIClient fixture for making API requests.
            post: The Post fixture providing a Post object.
    
        Asserts:
            The response status should be HTTP 201 Created.
            The response data should include the content of the new Comment.
        """
        response = api_client.post(
            reverse("post-comment-create", args=[post.id]),
            {"post": post.id, "content": "New comment"},
            format="json",
        )
    
        assert response.status_code == status.HTTP_201_CREATED
        assert response.data["content"] == "New comment"
    
  1. test_perform_update_raises_kwargs_does_not_exists():
  • Purpose: Verify that perform_update throws an APIException if comment_pk is not present in kwargs.

Rationale:

  • Input: Creates an instance of CommentRetrieveUpdateDestroyAPIView and sets kwargs to an empty dictionary.

  • Action: Attempts to execute perform_update without providing comment_pk.

  • Asserts:

    • Verifies that an APIException is thrown.
    • Verifies that the exception message is ‘Comment ID is required to update the comment.’
  • Why: Ensures that the view correctly handles cases where the required arguments are not present, providing proper validation and error handling.

    def test_perform_update_raises_kwargs_does_not_exists():
        """
        Verify that perform_update raises an APIException if 'comment_pk' is not provided in kwargs.
    
        Asserts:
            The exception message should be "Comment ID is required to update the comment."
        """
        view = CommentRetrieveUpdateDestroyAPIView()
        view.kwargs = {}
    
        try:
            view.perform_update({})
        except APIException as exc:
            assert str(exc) == "Comment ID is required to update the comment."
    
  1. test_perform_update_invalid_comment_id():
  • Purpose: Verify that perform_update throws an APIException if comment_pk has an invalid format.

    Rationale:

    • Input: Creates an instance of CommentRetrieveUpdateDestroyAPIView and sets kwargs with comment_pk as an invalid value.
    • Action: Uses a MockSerializer to simulate a validated serializer and then attempts to execute perform_update.
    • Asserts:

      • Verifies that an APIException is thrown.
      • Verifies that the exception message is ‘Invalid Comment ID format.’
    • Why: Ensures that the view correctly handles cases where arguments have an invalid format, thus validating the robustness of error handling and data validation.

    class MockSerializer(Serializer):
        """
        Mock serializer class to simulate serializer behavior in tests.
        """
        validated_data = {"content": "Test comment"}
    
    def test_perform_update_invalid_comment_id():
        """
        Verify that perform_update raises an APIException if 'comment_pk' has an invalid format.
    
        Asserts:
            The exception message should be "Invalid Comment ID format."
        """
        view = CommentRetrieveUpdateDestroyAPIView()
        view.kwargs = {"comment_pk": "invalid"}
    
        serializer = MockSerializer(data={"content": "Test comment"})
        serializer.is_valid()  # Simulate successful serializer validation
    
        with pytest.raises(APIException) as excinfo:
            view.perform_update(serializer)
        assert str(excinfo.value) == "Invalid Comment ID format."
    

Testing web views

Files:test_web_views_comment.py, test_web_views_post.py

These tests will verify that the ‘Post’ and ‘Comment’ web views are working correctly. Helping to ensure that users can see the details and lists of ‘Posts’ and ‘Comments’ as expected in the web interface, improving the quality and reliability of the application.

  1. test_post_detail_view(client, post):
  • Purpose: Verify that the detail view of a Post returns a successful response and that it includes the title of the specific Post.

    Rationale:

    • Input:

      • client: Uses Django's client fixture to make HTTP requests.
      • post: Use the post fixture to provide a Post object.
    • Action: Make a GET request to the Post's detail URL using reverse to resolve to the correct URL and pass the Post ID.

    • Asserts:

      • Verifies that the status of the response is HTTP 200 OK.
      • Verifies that the content of the response includes the Post title in binary format (b ‘Test Post’).
    • Why: This test ensures that the Post detail view works correctly and that the Post title is displayed as expected, validating both functionality and data representation.

    def test_post_detail_view(client, post):
        """
        Verify that the Post detail view returns a successful response and includes the title of the specific Post.
    
        Args:
            client: The Django test client fixture for making HTTP requests.
            post: The Post fixture providing a Post object.
    
        Asserts:
            The response status should be HTTP 200 OK.
            The response content should include the title of the Post.
        """
        response = client.get(reverse("post-detail", args=[post.id]))
        assert response.status_code == 200
        assert b"Test Post" in response.content
    
  1. test_comment_detail_view(client, comment):
* **Purpose:** Verify that the detail view of a `Comment` returns a successful response and that it includes the content of the specific `Comment`.

    **Rationale:**

    * **Input:**

        * `client`**:** Uses Django's `client` fixture to make HTTP requests.

        * `comment`**:** Uses the `comment` fixture to provide a `Comment` object.

    * **Action:** Make a GET request to the Comment's detail URL using `reverse` to resolve to the correct URL and pass the `Post` and `Comment` IDs.

    * **Asserts:**

        * Verify that the status of the response is `HTTP 200 OK`.

        * Uses `BeautifulSoup` to parse the HTML content of the response and extract all elements.

        * Verifies that the content of the elements includes the text of the specific comment.

    * **Why:** This test ensures that the `Comment` detail view works correctly and that the `Comment` content is displayed as expected, validating both functionality and data representation.
Enter fullscreen mode Exit fullscreen mode
```python
def test_comment_detail_view(client, comment):
    """
    Verify that the Comment detail view returns a successful response and includes the content of a specific Comment.

    Args:
        client: The Django test client fixture for making HTTP requests.
        comment: The Comment fixture providing a Comment object.

    Asserts:
        The response status should be HTTP 200 OK.
        The response content should include the text of the Comment.
    """
    response = client.get(
        reverse("post-comment-detail", args=[comment.post.id, comment.id])
    )
    assert response.status_code == 200

    soup = BeautifulSoup(response.content, "html.parser")
    comments = soup.find_all("p")
    comment_texts = [comment.get_text() for comment in comments]
    assert "This is a test comment" in comment_texts
```
Enter fullscreen mode Exit fullscreen mode

Using Coverage with Pytest in our Django project

Coverage is an essential tool for measuring test coverage in a project. It allows us to see which parts of the code are being tested and which are not, helping to identify areas that need more testing. In this section, we will look at two key commands for using coverage in conjunction with pytest.

Command 1:python -m coverage run -m pytest:

python -m coverage run -m pytest
Enter fullscreen mode Exit fullscreen mode
  • python -m coverage: This command runs the coverage module as a script. Using -m instead of just coverage ensures that the version of coverage installed in the current virtual environment is used.

  • run: This subcommand of coverage indicates that we want to run a script (in this case, pytest) and measure the coverage while it is running.

  • -m pytest: This part of the command tells Python to execute the pytest module. This way, coverage will run pytest and record code coverage during test execution.

This command runs all tests using pytest and, at the same time, records the code coverage, generating a .coverage file in the root directory of the project containing the coverage data.

Command 2:python -m coverage report --include=‘apps/’ --show-missing:

python -m coverage report --include="apps/*" --show-missing
Enter fullscreen mode Exit fullscreen mode
  • python -m coverage: As in the previous command, executes the module coverage.

  • report: This coverage subcommand generates a coverage report on the terminal.

  • --include=‘apps/*’: This argument indicates that we only want to include files in the apps folder in the coverage report. You can adjust this path according to the structure of your projects and the scope you want to give to your test coverage. This is useful to exclude files you are not interested in, such as configuration files or third-party libraries.

  • --show-missing: This argument adds a column to the report that shows which lines of each file were not covered by the tests. This makes it easier to identify specific areas of code that need further testing.


Running the tests with Coverage and Pytest

First command:

The command python -m coverage run -m pytest runs the tests using pytest and also measures the coverage of the code.

If you run the command, you should get something like this:

command 1

Collection analysis and execution of tests:

  • Total tests collected: 44.

  • Results:

    • All tests (44) passed successfully.
    • The total execution time was 0.83s.

Explanation:

This result shows that all the tests that we defined so far in the project were executed correctly and passed. There were no failures, bugs or skipped tests, which indicates that the code under test behaves as expected in all cases covered by the tests.

Second command:

command 2

Code Coverage Report Explanation:

After running the command to generate the code coverage report, we will get a detailed breakdown of how the tests cover the source code as we can see in the image above.

Let's take a closer look at what all this data means:

Sections of the Report

  1. Name:
* This column shows the path to each file in the project that contains executable code.

* **For example**, `apps\comments\models.py` refers to the models.py file in the comments app.
Enter fullscreen mode Exit fullscreen mode
  1. Stmts:
* This column indicates the total number of statements (lines of executable code) in each file.

* **For example**, `apps\comments\models.py` has 9 statements.
Enter fullscreen mode Exit fullscreen mode
  1. Miss:
* This column shows how many statements in the file were not executed during testing.

* **For example**, if `apps\posts\views\web_views.py` has 4 lines not covered, it means that 4 lines of code in that file were not executed by the tests.
Enter fullscreen mode Exit fullscreen mode
  1. Cover:
* This column shows the percentage of coverage for each file. It represents the percentage of lines of code executed during testing.

* **For example**, `apps\posts\views\api_views.py` has a coverage of 71%, which means that 71% of its lines of code were executed during the tests.
Enter fullscreen mode Exit fullscreen mode
  1. Missing:
* This column lists the specific lines that were not covered by the tests.

* **For example**, `apps\comments\views\web_views.py` shows `21, 24-25, 54, 58, 60-63`, indicating that these lines were not executed.
Enter fullscreen mode Exit fullscreen mode

Meaning and Measurements

  1. Lines Not Covered (Miss):
* **Meaning:** The lines of code listed in this column were not executed during testing. This could be because certain paths in the code are not being tested.

* **Action:** Add tests to cover these paths. For example, if there is error handling on these lines, make sure your tests include cases that trigger those errors.
Enter fullscreen mode Exit fullscreen mode
  1. Low Cover (Cover):
* **Meaning:** A low percentage indicates that a large part of the code in that file is not being tested.

* **Action:** Review files with low coverage and add tests to cover more use cases. This may include additional unit tests or functional tests that exercise more code paths.
Enter fullscreen mode Exit fullscreen mode
  1. Full Coverage (100% Cover):
* **Meaning:** All statements in these files were executed during testing.

* **Measurement:** Although the coverage is 100%, make sure that the tests also correctly verify the logic of the code, not just that it executes.
Enter fullscreen mode Exit fullscreen mode

Recommendations and Best Practices

Finally, we will look at some recommendations, types of tests and best practices for effective application testing, especially in the context of applications such as this one.

  1. Types of Tests

    To achieve complete and effective coverage, consider implementing the following types of tests:

* **Unit Tests:** Verify the operation of individual pieces of code, such as functions, methods or classes. Make sure that each unit of code does what is expected without relying on other parts of the system.

* **Integration Tests:** Validate how different components of the system interact. In the Django REST Framework, this may include testing that API endpoints work correctly and that data is handled properly between views and models.

* **Functionality Testing:** This focuses on the full functionality of the system from the user's point of view. For example, make sure that users can create, read, update and delete resources correctly through the API.

* **Regression Testing:** Ensures that code changes do not break existing functionality. They should be run regularly to detect problems introduced by new features or bug fixes.

* **Performance Testing:** Verify the behaviour of the application under load and stress conditions. It is useful to identify bottlenecks and ensure that the application can handle the expected traffic.
Enter fullscreen mode Exit fullscreen mode
  1. Best Practices

    To ensure that your testing is effective and reliable, consider the following practices:

* **Code Coverage:** Although not a guarantee of quality, high code coverage (ideally over 80%) helps identify untested areas. Use tools such as `coverage.py` to measure and improve coverage.

* **Test Independence:** Each test should be independent and run in any order. Use fixtures to set the initial state and clean up after each test if necessary.

* **Use of Mocks and Stubs:** For unit tests, use mocks to simulate external behaviours and dependencies. This ensures that tests are fast and do not depend on external services or shared state.

* **Error and Exception Testing:** Be sure to test cases where the application must handle errors and exceptions. Verify that errors are handled properly and that useful messages are returned to the user.

* **Security Testing:** Include tests that verify the security of your application, such as permission validation and protection against common vulnerabilities (e.g., SQL injection, Cross-Site Scripting).

* **Testing in Real Environments:** Run your tests in environments that mimic the production environment as closely as possible to detect problems that only occur in specific configurations.
Enter fullscreen mode Exit fullscreen mode
  1. Additional Recommendations
* **Keep Tests Readable and Maintainable:** Write tests that are clear and easy to understand. Use descriptive test names and keep test code clean and well organised.

* **Automate Test Execution:** Integrate your tests into the continuous integration (CI) process so that they run automatically on every code change. This helps identify problems quickly and ensures that new code does not break existing functionality.

* **Review and Refactor:** Regularly review and refactor your tests to improve their coverage and efficiency. Test code can also become obsolete over time, so keep it up to date.
Enter fullscreen mode Exit fullscreen mode

And that's it for our basic guide to testing in a Django REST Framework project!

Remember that testing is a crucial part of software development, and maintaining good coverage and well-defined tests will help you prevent bugs and improve the quality of your code over time.

If you have additional questions, feel free to leave them in the comments.

Thanks for reading and happy code testing!

Other topics you may be interested in:

Top comments (0)