![]() |
![]() |
![]() |
Group tests | Simple Test PHP Unit Test Framework | Partial mocks |
Mock objects have two roles during a test case: actor and critic.
The actor behaviour is to simulate objects that are difficult to set up or time consuming to set up for a test. The classic example is a database connection. Setting up a test database at the start of each test would slow testing to a crawl and would require the installation of the database engine and test data on the test machine. If we can simulate the connection and return data of our choosing we not only win on the pragmatics of testing, but can also feed our code spurious data to see how it responds. We can simulate databases being down or other extremes without having to create a broken database for real. In other words, we get greater control of the test environment.
If mock objects only behaved as actors they would simply be known as server stubs. This was originally a pattern named by Robert Binder (Testing object-oriented systems: models, patterns, and tools, Addison-Wesley) in 1999.
A server stub is a simulation of an object or component. It should exactly replace a component in a system for test or prototyping purposes, but remain lightweight. This allows tests to run more quickly, or if the simulated class has not been written, to run at all.
However, the mock objects not only play a part (by supplying chosen return values on demand) they are also sensitive to the messages sent to them (via expectations). By setting expected parameters for a method call they act as a guard that the calls upon them are made correctly. If expectations are not met they save us the effort of writing a failed test assertion by performing that duty on our behalf.
In the case of an imaginary database connection they can test that the query, say SQL, was correctly formed by the object that is using the connection. Set them up with fairly tight expectations and you will hardly need manual assertions at all.
In the same way that we create server stubs, all we need is an existing class, say a database connection that looks like this...
The mock version of a class has all the methods of the original, so that operations like $connection->query() are still legal. The return value will be null, but we can change that with...
We can also add extra methods to the mock when generating it and choose our own class name...
Here the mock will behave as if the setOptions() existed in the original class. This is handy if a class has used the PHP overload() mechanism to add dynamic methods. You can create a special mock to simulate this situation.Things aren't always that simple though. One common problem is iterators, where constantly returning the same value could cause an endless loop in the object being tested. For these we need to set up sequences of values. Let's say we have a simple iterator that looks like this...
Another tricky situation is an overloaded get() operation. An example of this is an information holder with name/value pairs. Say we have a configuration class like...
You can set a default argument argument like so...
There are times when you want a specific object to be dished out by the mock rather than a copy. The PHP4 copy semantics force us to use a different method for this. You might be simulating a container for example...
These three factors, timing, parameters and whether to copy, can be combined orthogonally. For example...
A final tricky case is one object creating another, known as a factory pattern. Suppose that on a successful query to our imaginary database, a result set is returned as an iterator with each call to next() giving one row until false. This sounds like a simulation nightmare, but in fact it can all be mocked using the mechanics above.
Here's how...
Although the server stubs approach insulates your tests from real world disruption, it is only half the benefit. You can have the class under test receiving the required messages, but is your new class sending correct ones? Testing this can get messy without a mock objects library.
By way of example, suppose we have a SessionPool class that we want to add logging to. Rather than grow the original class into something more complicated, we want to add this behaviour with a decorator (GOF). The SessionPool code currently looks like this...
Despite the fact that we are testing only a few lines of production code, here is what we would have to do in a conventional test case: Create a log object. Set a directory to place the log file. Set the directory permissions so we can write the log. Create a SessionPool object. Hand start a session, which probably does lot's of things. Invoke findSession(). Read the new Session ID (hope there is an accessor!). Raise a test assertion to confirm that the ID matches the cookie. Read the last line of the log file. Pattern match out the extra logging timestamps, etc. Assert that the session message is contained in the text. It is hardly surprising that developers hate writing tests when they are this much drudgery. To make things worse, every time the logging format changes or the method of creating new sessions changes, we have to rewrite parts of this test even though this test does not officially test those parts of the system. We are creating headaches for the writers of these other classes.
Instead, here is the complete test method using mock object magic...
findSession() is a factory method the simulation of which is described stub. The point of departure comes with the first expectOnce() call. This line states that whenever findSession() is invoked on the mock, it will test the incoming arguments. If it receives the single argument of a string "abc" then a test pass is sent to the unit tester, otherwise a fail is generated. This was the part where we checked that the right session was asked for. The argument list follows the same format as the one for setting return values. You can have wildcards and sequences and the order of evaluation is the same.
We use the same pattern to set up the mock logger. We tell it that it should have message() invoked once only with the argument "Starting session abc". By testing the calling arguments, rather than the logger output, we insulate the test from any display changes in the logger.
We start to run our tests when we create the new LoggingSessionPool and feed it our preset mock objects. Everything is now under our control.
This is still quite a bit of test code, but the code is very strict. If it still seems rather daunting there is a lot less of it than if we tried this without mocks and this particular test, interactions rather than output, is always more work to set up. More often you will be testing more complex situations without needing this level or precision. Also some of this can be refactored into a test case setUp() method.
Here is the full list of expectations you can set on a mock object in SimpleTest...
expect($method, $args) | No |
expectAt($timing, $method, $args) | No |
expectCallCount($method, $count) | Yes |
expectMaximumCallCount($method, $count) | No |
expectMinimumCallCount($method, $count) | Yes |
expectNever($method) | No |
expectOnce($method, $args) | Yes |
expectAtLeastOnce($method, $args) | Yes |
Also if you have juste one call in your test, make sure you're using expectOnce. Using $mocked->expectAt(0, 'method', 'args); on its own will not be catched : checking the arguments and the overall call count are currently independant.
Like the assertions within test cases, all of the expectations can take a message override as an extra parameter. Also the original failure message can be embedded in the output as "%s".
There are three approaches to creating mocks including the one that SimpleTest employs. Coding them by hand using a base class, generating them to a file and dynamically generating them on the fly.
Mock objects generated with SimpleTest.html are dynamic. They are created at run time in memory, using eval(), rather than written out to a file. This makes the mocks easy to create, a one liner, especially compared with hand crafting them in a parallel class hierarchy. The problem is that the behaviour is usually set up in the tests themselves. If the original objects change the mock versions that the tests rely on can get out of sync. This can happen with the parallel hierarchy approach as well, but is far more quickly detected.
The solution, of course, is to add some real integration tests. You don't need very many and the convenience gained from the mocks more than outweighs the small amount of extra testing. You cannot trust code that was only tested with mocks.
If you are still determined to build static libraries of mocks because you want to simulate very specific behaviour, you can achieve the same effect using the SimpleTest class generator. In your library file, say mocks/connection.php for a database connection, create a mock and inherit to override special methods or add presets...
Use this trick if you find you have a lot of common mock behaviour or you are getting frequent integration problems at later stages of testing.
![]() |
![]() |
![]() |
Group tests | Simple Test PHP Unit Test Framework | Partial mocks |
Documentation generated on Sun, 04 May 2008 09:21:09 -0500 by phpDocumentor 1.3.0