phpunitHow to use a listener with PHPUnit?
PHPUnit provides a listener interface which allows you to customize the behavior of the test suite. To use a listener with PHPUnit, you need to implement the PHPUnit_Framework_TestListener
interface.
Example code
<?php
use PHPUnit\Framework\TestListener;
class MyListener implements TestListener
{
public function startTestSuite(PHPUnit_Framework_TestSuite $suite)
{
// Do something before the test suite starts
}
public function endTestSuite(PHPUnit_Framework_TestSuite $suite)
{
// Do something after the test suite ends
}
}
The example code above implements a listener that will execute code before and after the test suite starts and ends.
To use the listener, you need to register it with the test suite. This can be done by passing an instance of the listener to the addListener()
method of the PHPUnit_Framework_TestSuite
class.
Example code
<?php
$suite = new PHPUnit_Framework_TestSuite();
$listener = new MyListener();
$suite->addListener($listener);
The example code above registers the MyListener
instance with the test suite.
Helpful links
More of Phpunit
- How to skip a PHPUnit test?
- How to run tests in parallel with PHPUnit?
- How to use hooks in PHPUnit?
- What are PHPUnit required extensions
- How to use the PHPUnit Framework TestCase?
- How to run PHPUnit in quiet mode?
- How to show warnings in PHPUnit?
- How to load fixtures with PHPUnit?
- How to stop PHPUnit on failure?
See more codes...