top of page

PHP Mocking Frameworks for Unit Testing

Unit testing is a crucial practice in software development, allowing developers to verify the correctness of their code and catch potential issues early in the development process. While PHPUnit is the de facto standard for unit testing in PHP, there is a whole ecosystem of testing tools and frameworks that can take your unit testing to the next level. Among these, one of the most vital concepts is "Mocking."


In this article, we'll explore PHP Mocking frameworks and tools that specialize in unit testing. Mocking, a technique used to isolate the code under test by replacing real dependencies with simulated objects, is a fundamental aspect of unit testing. It enables developers to control and verify interactions between components, making it a cornerstone of effective unit testing.


PHP Mocking Frameworks for Unit Testing

Below are the top PHP Mocking Frameworks for Unit Testing that can enhance your testing practices, with a strong emphases on the power of Mocking:

  1. PHPUnit

  2. Mockery

  3. Prophecy

  4. Codeception

  5. PHPPUnit Mock Object

  6. PhpSpec

  7. Behat

  8. Pest

  9. Laravel Mockery

  10. Symfony Mockery


1. PHPUnit

PHPUnit is an open-source testing framework for PHP that is based on the xUnit architecture. It provides a robust set of features and tools for writing and running unit tests. PHPUnit allows you to create test cases, test suites, and assertions to verify that your code behaves as expected.



How to Use PHPUnit:


Installation: You can install PHPUnit using Composer, which is a popular PHP dependency manager. First, you need to create a composer.json file with the following content:

{
    "require-dev": {
        "phpunit/phpunit": "^9"
    }
}

Then, run composer install to download PHPUnit and its dependencies.


Writing Test Cases: Create test classes that extend the PHPUnit\Framework\TestCase class. In these test classes, you write methods that contain test assertions. Here's an example of a simple test case:

use PHPUnit\Framework\TestCase;  

class MyTest extends TestCase {     
    public function testAddition() {         
        $result = 1 + 2;         
        $this->assertEquals(3, $result);     
    } 
} 

Running Tests: You can run your tests using the phpunit command in your terminal. By default, it will discover and run all test cases in your project. For example:

vendor/bin/phpunit 

Assertions: PHPUnit provides a wide range of assertion methods (e.g., assertEquals, assertNotEmpty, assertGreaterThan) to check the expected outcome of your code.


Pros of PHPUnit:

  1. Simplicity: PHPUnit is easy to use, and you can start writing tests quickly.

  2. Comprehensive Features: It provides a wide array of assertion methods and tools for complex testing scenarios.

  3. Integration: PHPUnit can be integrated into continuous integration (CI) pipelines, making it easy to automate testing.

  4. Extensibility: You can extend PHPUnit's functionality by creating custom test classes and methods.

  5. Good Documentation: PHPUnit has well-documented features and a large community, making it easy to find help and resources online.

Cons of PHPUnit:

  1. Setup Overhead: Configuring PHPUnit and creating test suites can be challenging for beginners.

  2. Resource Intensive: Running tests can be slow for large codebases or complex test suites.

  3. Dependency on Composer: PHPUnit's dependency on Composer might be seen as an extra step for PHP projects that don't use it.

  4. No Built-in Mocking: PHPUnit includes mocking capabilities, but for more advanced mocking scenarios, you may need to use other libraries like Mockery.


2. Mockery

Mockery is a mocking framework for PHP that simplifies the creation of mock objects and helps with testing by isolating the code being tested from its dependencies. It allows you to specify the expected behavior of these mock objects, helping you simulate interactions with external components without invoking them.


How to Use Mockery:

Installation: To use Mockery, you first need to install it using Composer. Include it as a development dependency in your composer.json file:

{
    "require-dev": {
        "mockery/mockery": "^1.0"
    }
}

Creating a Mock Object: You can create a mock object using the Mockery::mock() method. For example, let's create a mock object for a Logger class:

use Mockery as m;  

$logger = m::mock(Logger::class); 

Defining Expectations: You can set expectations on the mock object. For example, you can specify that the log method should be called with specific arguments:

$logger->shouldReceive('log')        
       ->with('error', 'Something went wrong')        
       ->once(); 

Using the Mock Object: You can use the mock object in your code under test, which allows you to simulate behavior without invoking the real Logger class:

$myService = new MyService($logger); 
$myService->doSomething(); 

Verifying Expectations: After running your code, you can verify that the expectations on the mock object were met:

m::close(); // This will automatically verify expectations

Pros of Mockery:

  1. Expressive Syntax: Mockery provides a clean and expressive syntax for defining mock expectations.

  2. Versatile: It supports mocking classes, interfaces, and abstract classes, making it versatile for various use cases.

  3. Advanced Features: Mockery offers advanced features like mocking static methods, mocking final methods, and more.

  4. Integrates with PHPUnit: Mockery can be used alongside PHPUnit for comprehensive testing solutions.

  5. Flexible and Powerful: It allows you to mock complex interactions and customize behavior as needed.

Cons of Mockery:

  1. Incompatibility with Older PHP Versions: Some advanced features of Mockery may not work on older PHP versions, which could be a limitation in certain environments.

  2. Inconsistent Mocking Experience: Due to its extensive feature set, Mockery's behavior might not be consistent with other mocking libraries, potentially causing confusion when switching between projects.


3. Prophecy

Prophecy is a PHP library used for creating test doubles, particularly mocks and stubs, to aid in unit testing. It allows you to create mock objects with a more expressive and flexible syntax, making it a valuable tool in your testing toolkit.


Prophecy is a mocking framework specifically designed for PHP. It provides an elegant and expressive syntax for defining expected interactions with mock objects while also allowing for flexibility in specifying return values.


How to Use Prophecy:

Installation: To use Prophecy, you need to install it using Composer. Include it as a development dependency in your composer.json file:

{
    "require-dev": {
        "phpspec/prophecy": "^1.12"
    }
}

Creating a Mock Object: You can create a prophecy object using the prophesize() method. For example, let's create a prophecy for a Logger class:

use Prophecy\Prophet;  

$prophet = new Prophet(); 
$logger = $prophet->prophesize(Logger::class); 

Defining Expectations: You can define expectations on the prophecy object. For instance, you can specify that the log method should be called with specific arguments and return a certain value:

$logger->log('error', 'Something went wrong')->willReturn(true); 

Using the Prophecy Object: You can use the prophecy object in your code under test, simulating the behavior of the Logger class:

$myService = new MyService($logger->reveal()); 
$myService->doSomething(); 

Verifying Expectations: After running your code, you can verify that the expectations on the prophecy object were met using the $prophet:

$prophet->checkPredictions(); 

Pros of Prophecy:

  1. Expressive Syntax: Prophecy provides an expressive and human-readable syntax for defining expected interactions with mock objects.

  2. Flexible Stubbing: It allows you to define return values and throw exceptions in a more flexible and concise manner.

  3. Auto-mocking: Prophecy automatically generates method stubs for the mocked class or interface, making setup easier.

  4. Integration with PHPUnit: Prophecy can be easily integrated with PHPUnit for a comprehensive testing solution.

Cons of Prophecy:

  1. Learning Curve: While expressive, Prophecy may have a learning curve for beginners unfamiliar with the concept of mocking and stubbing.

  2. Limited Advanced Features: Prophecy is primarily focused on expressive syntax, so it may lack some advanced features found in more specialized mocking libraries.

  3. Some Complexity: Due to its flexibility, defining complex interactions might be challenging for inexperienced users.


4. Codeception

Codeception is a versatile PHP testing framework that supports various testing types, including unit, functional, and acceptance testing. It simplifies the testing process, providing a unified interface to create and execute tests.


Codeception is designed to streamline the process of creating and running tests. It combines different testing approaches and libraries (e.g., PHPUnit, Selenium) into a single, cohesive framework, making it easier to create end-to-end testing solutions.


How to Use Codeception:


Installation: To use Codeception, you need to install it using Composer. Create a composer.json file, and include Codeception as a development dependency:

{
    "require-dev": {
        "codeception/codeception": "^4.0"
    }
}

Initialization: Run the following command to initialize a new Codeception project:

vendor/bin/codecept bootstrap 

This sets up the necessary directories and configuration files.


Writing Tests: You can create test classes in various formats, such as Cest, Cept, or Test, depending on your needs. Here's an example of a Cest test class for a hypothetical "Calculator" class:

<?php
class CalculatorCest
{     
    public function addTest(AcceptanceTester $I)     
    {         
        $I->amOnPage('/');         
        $I->fillField('input[name=a]', 2);         
        $I->fillField('input[name=b]', 3);         
        $I->click('Calculate');         
        $I->see('Result is 5');     
    } 
} 

Running Tests: You can execute tests using Codeception's command-line tool. For example, to run acceptance tests, you can use:

vendor/bin/codecept run acceptance 

Configuration: Codeception allows you to configure various settings, including test environments, test suites, and modules, in the codeception.yml file.


Pros of Codeception:

  1. Versatility: Codeception supports multiple testing types (unit, functional, acceptance), providing a single tool for different testing needs.

  2. Integration: It seamlessly integrates with PHPUnit for unit testing, Selenium for acceptance testing, and other modules and libraries.

  3. Easy-to-Use: Codeception simplifies test writing and provides an intuitive API for actions like form filling and button clicking in acceptance tests.

  4. Parallel Execution: Codeception can execute tests in parallel, speeding up test execution.

  5. Rich Ecosystem: There are many community-contributed extensions and plugins available, extending its functionality.

Cons of Codeception:

  1. Learning Curve: Codeception's versatility can be overwhelming for beginners, as they need to learn different testing types and their configurations.

  2. Performance Overheads: Integration with various libraries may result in increased memory and resource usage during testing.

  3. Complex Setup: Setting up Codeception and configuring environments for different testing types can be complex.


5. PHPPUnit Mock Object

PHPUnit, which I explained earlier, is a powerful testing framework for PHP, and it includes a feature to create mock objects. Mock objects are objects that simulate the behavior of real objects or classes for the purpose of testing. They allow you to isolate the code under test and control the behavior of its dependencies.


PHPUnit provides a straightforward way to create mock objects. You can use mock objects to:

  1. Isolate the Code Under Test: By replacing real dependencies with mock objects, you can focus solely on testing the behavior of the specific component you are interested in.

  2. Control Behavior: You can specify the expected interactions and return values of methods on the mock object to simulate different scenarios.

  3. Verify Method Calls: PHPUnit allows you to verify that specific methods were called on the mock object with specific arguments.


How to Use PHPUnit Mock Objects:

Create a Mock Object: To create a mock object in PHPUnit, you can use the createMock method provided by the PHPUnit\Framework\TestCase class. Here's an example:

use PHPUnit\Framework\TestCase;  

class MyTest extends TestCase {     
    public function testSomethingWithMock() 
    {         
        // Create a mock object for a class or interface
        $mock = $this->createMock(MyClass::class);          
        
        // Set expectations for the mock
        $mock->expects($this->once())              
             ->method('someMethod')              
             ->with($this->equalTo('expectedArgument'))              
             ->willReturn('mockReturnValue');          
        
        // Use the mock object in your code under test
        $result = $myService->doSomethingWith($mock);          
        
        // Verify that the expected method was called
        $this->assertEquals('mockReturnValue', $result);     
    } 
} 

Set Expectations: You can specify the expected method calls and return values using PHPUnit's fluent interface, such as expects, method, with, and willReturn.


Verify Expectations: After executing your code under test, you can use PHPUnit's built-in assertions like assertEquals to verify that the mock object was used correctly.


Clean Up: PHPUnit automatically verifies that all expectations were met when the test method finishes. You don't need to explicitly verify the mock object in most cases.


Pros of PHPUnit Mock Objects:

  1. Integration with PHPUnit: Mock objects are tightly integrated with PHPUnit, allowing you to use them seamlessly in your unit tests.

  2. Simplicity: Creating and using mock objects in PHPUnit is straightforward, making it accessible for PHP developers.

  3. Built-in Assertions: PHPUnit provides built-in assertions to verify that the expected interactions with the mock objects occurred.

  4. Community Support: PHPUnit has a large and active community, making it easy to find resources and help when using mock objects.

Cons of PHPUnit Mock Objects:

  1. Basic Mocking Features: While PHPUnit's mock objects are suitable for many use cases, they may not support advanced features required in more complex scenarios.

  2. Limited Flexibility: PHPUnit mock objects have some limitations in terms of customizing responses or creating complex behavior.

  3. Potential Verbosity: For complex expectations, creating mock objects with PHPUnit can be verbose and less readable.

6. PhpSpec

PHPSpec is a behavior-driven development (BDD) framework for PHP that focuses on specifying the expected behavior of your code before writing the code itself. It encourages writing clear and expressive specifications for your code's behavior, which can then be used to drive the implementation of your classes and methods.


PHPSpec is a testing framework that helps you create clear and well-structured specifications for your code. It follows the BDD approach, which emphasizes writing tests that describe the expected behavior of your code in natural language.


How to Use PHPSpec:


Installation: To use PHPSpec, you can install it using Composer. Create a composer.json file, and include PHPSpec as a development dependency:

{
    "require-dev": {
        "phpspec/phpspec": "^7.0"
    }
}

Then run composer install.


Initialize a Specification: To create a new specification for a class, use the phpspec describe command:

vendor/bin/phpspec describe MyNamespace\MyClass 

This will generate a specification file for your class, which you can edit to define the expected behavior.


Write Specifications: In the generated specification file, you can define the expected behavior of your class and its methods. You use a clear and expressive syntax to specify the behavior:

class MyClassSpec extends ObjectBehavior
{     
    function it_is_initializable()     
    {         
        $this->shouldHaveType(MyClass::class);     
    }      
    
    function it_adds_numbers()     
    {         
        $this->add(2, 3)->shouldReturn(5);     
    } 
} 

Run Specifications: To run your specifications, use the phpspec run command:

vendor/bin/phpspec run 

PHPSpec will execute your specifications and provide feedback on whether the code under test meets the specified behavior.


Pros of PHPSpec:

  1. Behavior-Driven Development (BDD): PHPSpec promotes a BDD approach, encouraging developers to focus on describing the expected behavior before writing code.

  2. Clear and Expressive Syntax: PHPSpec uses a clear, expressive syntax that makes it easy to understand the intended behavior of the code under test.

  3. Auto-Generated Specifications: The describe command can automatically generate specification files, saving time and reducing errors in specification creation.

  4. Integration with Documentation: PHPSpec specifications can serve as documentation for your code's behavior, making it easier for developers to understand and maintain the code.

Cons of PHPSpec:

  1. Learning Curve: PHPSpec can have a steeper learning curve, especially for developers new to BDD and behavior specification.

  2. Less Flexibility: PHPSpec is primarily focused on behavior specification, which may be limiting for some types of testing.

  3. Limited Test Types: PHPSpec is more suitable for writing specifications for class behavior, and it may not be the best choice for other types of testing like functional or acceptance testing.


7. Behat

Behat is a behavior-driven development (BDD) framework for PHP that enables you to write human-readable, domain-specific language tests to describe and test the behavior of your applications. It encourages collaboration between developers, testers, and non-technical stakeholders by allowing everyone to understand and contribute to the testing process.


Behat is based on Gherkin, a language that uses plain text to describe software behavior. It allows you to define test cases as scenarios using a Given-When-Then format, making it easier for non-developers to write and understand tests.


How to Use Behat:


Installation: To use Behat, you can install it using Composer. Create a composer.json file, and include Behat as a development dependency:

{
    "require-dev": {
        "behat/behat": "^3.7"
    }
}

Then run composer install.


Initialize a Behat Project: You can initialize a Behat project using the following command:

vendor/bin/behat --init 

This will generate a behat.yml configuration file and a features directory where you can define your test scenarios.


Write Feature Files: Feature files use Gherkin syntax to describe test scenarios. For example:

Feature: Login functionality    

    Scenario: Successful login     
        Given I am on the login page     
        When I fill in "Username" with "john_doe"     
        And I fill in "Password" with "secret"     
        And I press "Login"     Then I should see "Welcome, John!" 

Write Step Definitions: Behat needs step definitions that map the steps in your feature files to actual PHP code. For example:

/**  
 * @Given I am on the :page page  
 */
public function iAmOnThePage($page) 
{     
    $this->visit($page); 
} 

Run Behat: To run Behat, execute the following command:

vendor/bin/behat 

Behat will execute the scenarios defined in your feature files and report the results.


Pros of Behat:

  1. Human-Readable Tests: Behat scenarios are written in plain text using Gherkin, making them easily understandable by non-developers and stakeholders.

  2. Collaboration: Behat encourages collaboration between developers, testers, and business stakeholders by allowing everyone to participate in writing and reviewing tests.

  3. Test Automation: While it's often used for manual testing, Behat can also be used for automated testing, making it a versatile tool for BDD and automation.

  4. Reusability: Behat allows you to reuse step definitions across different scenarios, reducing duplication in your testing code.

Cons of Behat:

  1. Slower Execution: Behat scenarios, especially when involving web testing, can be slower to execute compared to other testing frameworks.

  2. Learning Curve: While the Gherkin syntax is simple, there can be a learning curve for writing and maintaining the PHP step definitions.

  3. Complex Setup: Setting up Behat for some applications can be challenging, especially when dealing with complex web applications.

8. Pest

Pest is a PHP testing framework that aims to provide a more human-friendly and enjoyable testing experience. It builds on top of PHPUnit, extending and simplifying the testing process with an expressive and easy-to-read syntax.


Pest is designed to make testing in PHP more accessible and enjoyable. It provides a clean and expressive syntax for writing tests, making the testing process more straightforward and less verbose. Pest can be used for unit testing, but it's also suitable for other testing types like integration and feature tests.


How to Use Pest:


Installation: To use Pest, you can install it using Composer. Create a composer.json file and include Pest as a development dependency:

{
    "require-dev": {
        "pestphp/pest": "^1.0"
    }
}

Then run composer install.


Writing Tests: Pest uses a clear and concise syntax for writing tests. Here's a simple example of a Pest test:

test('it adds two numbers', function () 
{     
    $result = add(2, 3);     
    expect($result)->toBe(5); 
}); 

Pest's syntax is designed to be human-readable, making it easy to understand the test's intent.


Running Tests: To execute Pest tests, you can use the following command:

vendor/bin/pest 

Pest will discover and run your tests, providing clear and colorful output.


Assertions and Expectations: Pest provides a wide range of assertions and expectations to check the expected behavior of your code.


Pros of Pest:

  1. Expressive Syntax: Pest's syntax is designed to be clear and concise, making it easy for developers to read and write tests.

  2. Integration with PHPUnit: Pest builds on top of PHPUnit, so you can still use PHPUnit features if needed.

  3. Colors and Readability: Pest provides colorful and readable test output, enhancing the testing experience.

  4. Laravel Integration: Pest is commonly used with Laravel, a popular PHP framework, and it seamlessly integrates with Laravel projects.

  5. Modern PHP Features: Pest takes advantage of modern PHP features and provides an up-to-date testing experience.

Cons of Pest:

  1. Limited Documentation: Pest is a relatively new framework, and its documentation may not be as extensive as that of PHPUnit.


9. Laravel Mockery

Laravel Mockery is not a separate PHP framework but a library used for creating mock objects and conducting unit testing in Laravel, which is a popular PHP web application framework. Mockery is integrated with Laravel's testing infrastructure and provides a simple and expressive way to create mock objects to isolate code under test from its dependencies.


Laravel Mockery is primarily used for unit testing within the Laravel framework. It's built on top of the Mockery library and provides an expressive and readable syntax for creating mock objects, allowing you to replace real dependencies with mocks during testing. This isolation ensures that the code you are testing behaves as expected, irrespective of the behavior of its dependencies.


How to Use Laravel Mockery:


Installation: To use Laravel Mockery, you first need to install it along with Mockery itself. Include them as development dependencies in your Laravel project's composer.json file:

{
    "require-dev": {
        "mockery/mockery": "^1.3",
        "p0pr0ck5/laravel-mockery": "^0.2"
    }
}

Creating Mock Objects: In your Laravel unit tests, you can create mock objects using Laravel Mockery. Here's an example:

use Mockery;  

public function testSomeFeature() 
{     
    // Create a mock object for a class or interface
    $mock = Mockery::mock(MyClass::class);      
    
    // Set expectations for the mock
    $mock->shouldReceive('someMethod')->once()->with('expectedArgument')->andReturn('mockReturnValue');      
    
    // Use the mock object in your code under test
    $result = $myService->doSomethingWith($mock);      
    
    // Assertions to check the behavior of your code
    $this->assertEquals('expectedReturnValue', $result); 
} 

Pros of Laravel Mockery:

  1. Integration with Laravel: Laravel Mockery is specifically designed for Laravel applications and integrates seamlessly with Laravel's testing infrastructure.

  2. Expressive and Readable Syntax: Laravel Mockery provides an expressive syntax for defining expectations, making it easier to understand and write tests.

  3. Powerful Features: You can define complex expectations and behaviors with Laravel Mockery, including the ability to mock classes, interfaces, and abstract classes.

  4. Community Support: Laravel has a large and active community, so you can easily find resources and help when using Laravel Mockery.

Cons of Laravel Mockery:

  1. Potential Verbosity: For complex expectations, creating mock objects with Laravel Mockery can be verbose and less readable.


10. Symfony Mockery

Symfony Mockery is a combination of the Symfony PHP framework and the Mockery library, which is used for unit testing.


In Symfony, entities are often used to represent database tables, and repositories are used to fetch data from these tables. When unit testing, you might want to test a service that uses a repository to fetch data. In this case, you can use Mockery to create a mock of the repository.


Mockery is a flexible and expressive PHP mocking library that can be integrated into Symfony-based projects for unit testing.


To use Mockery in Symfony, follow these steps:


Install Mockery: You can install Mockery using Composer, which is the package manager commonly used in Symfony projects. Add Mockery to your composer.json file:

{
    "require-dev": {
        "mockery/mockery": "^1.3"
    }
}

Create Mock Objects: In your Symfony unit tests, you can create mock objects using Mockery. For example:

use Mockery;  

public function testSomething() 
{     
    // Create a mock object for a class or interface
    $mock = Mockery::mock(MyClass::class);          
    
    // Define expectations and behaviors for the mock
    $mock->shouldReceive('someMethod')->with('expectedArgument')->andReturn('mockReturnValue');          
    
    // Use the mock object in your code under test
    $result = $myService->doSomethingWith($mock);          
    
    // Assertions to check the behavior of your code
    $this->assertEquals('expectedReturnValue', $result); 
} 

Clean Up: Mockery will automatically verify that all expectations are met when the test method finishes, so you don't need to explicitly verify the mock objects.


Pros of Using Mockery in Symfony:

  1. Expressive and Flexible Syntax: Mockery provides an expressive and flexible syntax for defining expected interactions with mock objects, making it easy to read and write tests.

  2. Isolation and Controlled Testing: Using Mockery, you can isolate the code under test from its dependencies, which allows you to focus on testing specific components in isolation.

  3. Easy Integration: Mockery can be easily integrated into Symfony-based projects, allowing you to use it alongside other Symfony testing components.

  4. Community Support: Mockery has a well-established community, providing resources and support for developers.

Cons of Using Mockery in Symfony:

  1. Learning Curve: Like other mocking libraries, Mockery may have a learning curve for developers new to mocking and unit testing.

  2. Complex Expectations: For complex expectations, creating mock objects with Mockery can be verbose and potentially less readable.

  3. Resource Management: You need to be careful when using Mockery to ensure that mock objects are cleaned up properly after tests to avoid potential memory leaks.


Conclusion

We've examined various PHP mocking frameworks and tools, each offering unique strengths and applications. From PHPUnit's comprehensive capabilities to the human-friendly syntax of Pest, there's a tool for every need.


The key takeaway is that the choice of mocking framework should align with project requirements and personal preferences. Mastery of mocking ensures robust and reliable software, where components are thoroughly tested in isolation.


As you navigate the evolving landscape of PHP unit testing, remember that these frameworks are your allies in the pursuit of quality and bug-free code. Keep honing your unit testing skills for better software development.

bottom of page