Unit Test Failure Examples: Test Doubles

Explore unit test failures caused by improper test doubles with practical examples.
By Jamie

Introduction to Unit Test Failures from Improper Use of Test Doubles

Unit testing is a crucial part of software development, ensuring that individual components work as intended. However, improper use of test doubles—such as mocks, stubs, and fakes—can lead to misleading results, causing unit tests to fail. In this article, we will explore three diverse examples of unit test failures caused by the misuse of test doubles, demonstrating the importance of correctly implementing these tools.

Example 1: Over-Mocking Dependencies

In a web application, a developer is testing a function that fetches user data from an external API. To isolate the function, they decide to mock the API call. However, they create an overly simplistic mock that returns a hardcoded response, ignoring the API’s real behavior.

The test function looks like this:

function fetchUserData(api) {
    return api.getUserData();
}

test('fetchUserData returns correct data', () => {
    const apiMock = {
        getUserData: jest.fn().mockReturnValue({ id: 1, name: 'Alice' })
    };
    expect(fetchUserData(apiMock)).toEqual({ id: 1, name: 'Alice' });
});

The test passes, but when the actual API response includes additional fields or differs in structure, the function fails in production. This failure occurs because the developer relied on a mock that didn’t accurately reflect the API’s behavior.

Notes:

  • Always ensure that mocks closely resemble the actual implementation.
  • Consider using integration tests to validate the interaction with real dependencies where possible.

Example 2: Stubbing Methods Without Proper Context

A developer is writing unit tests for a class that processes payment transactions. They decide to stub a method that calculates taxes. However, they fail to account for the fact that the method depends on various parameters that can change based on the transaction context.

Here’s the faulty test:

class PaymentProcessor {
    calculateTax(amount) {
        // Complex tax calculation...
    }

    processPayment(amount) {
        const tax = this.calculateTax(amount);
        return amount + tax;
    }
}

test('processPayment correctly calculates total', () => {
    const processor = new PaymentProcessor();
    const calculateTaxStub = jest.spyOn(processor, 'calculateTax').mockReturnValue(5);
    expect(processor.processPayment(100)).toEqual(105);
    calculateTaxStub.mockRestore();
});

The failure arises when the actual calculateTax method behaves differently based on input conditions that are not considered in the stub. As a result, the test may pass under controlled circumstances but fail in real-world scenarios.

Notes:

  • Ensure that stubs accurately mimic the behavior of the original methods, especially if they rely on dynamic data.
  • Test with a variety of input conditions to validate correctness.

Example 3: Using Fakes that Affect State

In a banking application, a developer is testing a service that transfers money between accounts. They opt to use a fake implementation of the account service to simulate behavior. However, the fake modifies state in a way that leads to unexpected results.

Here’s how the test looks:

class AccountService {
    transfer(fromAccount, toAccount, amount) {
        fromAccount.balance -= amount;
        toAccount.balance += amount;
    }
}

class FakeAccountService {
    transfer(fromAccount, toAccount, amount) {
        // Incorrectly simulates transfer by just logging the transaction
        console.log(`Transferring \({amount} from }\(fromAccount.id} to ${toAccount.id}`);
    }
}

test('transfer funds between accounts', () => {
    const fakeService = new FakeAccountService();
    const accountA = { id: 1, balance: 100 };
    const accountB = { id: 2, balance: 50 };
    fakeService.transfer(accountA, accountB, 30);
    expect(accountA.balance).toEqual(100);
    expect(accountB.balance).toEqual(50);
});

The test fails to validate the actual behavior of the transfer method since the fake does not implement the state change logic. This results in a misleading test outcome where the developer believes the functionality is intact when it is not.

Notes:

  • Fakes should replicate the actual behavior, including state changes, to provide meaningful unit tests.
  • Review the intended behavior of the system and ensure fakes reflect that accurately.