Zend_Test_PHPUnit
Zend_Test_PHPUnit provides a TestCase for MVC
applications that contains assertions for testing against a variety of
responsibilities. Probably the easiest way to understand what it can do
is to see an example.
Example #1 Application Login TestCase example
The following is a simple test case for a
UserController to verify several things:
-
The login form should be displayed to non-authenticated users.
-
When a user logs in, they should be redirected to their profile
page, and that profile page should show relevant information.
This particular example assumes a few things. First, we're moving
most of our bootstrapping to a plugin. This simplifies setup of the
test case as it allows us to specify our environment succinctly,
and also allows us to bootstrap the application in a single line.
Also, our particular example is assuming that autoloading is setup
so we do not need to worry about requiring the appropriate classes
(such as the correct controller, plugin, etc).
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public function setUp()
{
$this-> bootstrap = array($this, 'appBootstrap');
parent::setUp();
}
public function appBootstrap()
{
$this->frontController
->registerPlugin(new Bugapp_Plugin_Initialize('development'));
}
public function testCallWithoutActionShouldPullFromIndexAction()
{
$this->dispatch('/user');
$this->assertController('user');
$this->assertAction('index');
}
public function testIndexActionShouldContainLoginForm()
{
$this->dispatch('/user');
$this->assertAction('index');
$this->assertQueryCount('form#loginForm', 1);
}
public function testValidLoginShouldGoToProfilePage()
{
$this->request->setMethod('POST')
'username' => 'foobar',
'password' => 'foobar'
));
$this->dispatch('/user/login');
$this->assertRedirectTo('/user/view');
$this->resetRequest()
->resetResponse();
$this->request->setMethod('GET')
$this->dispatch('/user/view');
$this->assertRoute('default');
$this->assertModule('default');
$this->assertController('user');
$this->assertAction('view');
$this->assertNotRedirect();
$this->assertQuery('dl');
$this->assertQueryContentContains('h2', 'User: foobar');
}
}
This example could be written somewhat simpler -- not all the
assertions shown are necessary, and are provided for illustration
purposes only. Hopefully, it shows how simple it can be to test
your applications.
Bootstrapping your TestCase
As noted in the Login
example, all MVC test cases should extend
Zend_Test_PHPUnit_ControllerTestCase. This class in turn
extends PHPUnit_Framework_TestCase, and gives you all the
structure and assertions you'd expect from PHPUnit -- as well as some
scaffolding and assertions specific to Zend Framework's MVC
implementation.
In order to test your MVC application, you will need to bootstrap it.
There are several ways to do this, all of which hinge on the public
$bootstrap property.
First, and probably most straight-forward, simply create a
Zend_Application instance as you would in your
index.php, and assign it to the $bootstrap property.
Typically, you will do this in your setUp() method; you will need
to call parent::setUp() when done:
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public function setUp()
{
// Assign and instantiate in one step:
$this->bootstrap = new Zend_Application(
'testing',
APPLICATION_PATH . '/configs/application.ini'
);
parent::setUp();
}
}
Second, you can set this property to point to a file. If you do
this, the file should not dispatch the front
controller, but merely setup the front controller and any application
specific needs.
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public $bootstrap = '/path/to/bootstrap/file.php'
// ...
}
Third, you can provide a PHP callback to execute in order to bootstrap
your application. This method is seen in the Login example. If
the callback is a function or static method, this could be set at the
class level:
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public $bootstrap = array('App', 'bootstrap');
// ...
}
In cases where an object instance is necessary, we recommend performing
this in your setUp() method:
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public function setUp()
{
// Use the 'start' method of a Bootstrap object instance:
$bootstrap = new Bootstrap('test');
$this-> bootstrap = array($bootstrap, 'start');
parent::setUp();
}
}
Note the call to parent::setUp(); this is necessary, as
the setUp() method of
Zend_Test_PHPUnit_ControllerTestCase will perform the
remainder of the bootstrapping process (which includes calling the
callback).
During normal operation, the setUp() method will bootstrap
the application. This process first will include cleaning up the
environment to a clean request state, resetting any plugins and
helpers, resetting the front controller instance, and creating new
request and response objects. Once this is done, it will then either
include() the file specified in $bootstrap, or
call the callback specified.
Bootstrapping should be as close as possible to how the application
will be bootstrapped. However, there are several caveats:
-
Do not provide alternate implementations of the Request and
Response objects; they will not be used.
Zend_Test_PHPUnit_ControllerTestCase uses custom
request and response objects,
Zend_Controller_Request_HttpTestCase and
Zend_Controller_Response_HttpTestCase, respectively.
These objects provide methods for setting up the request
environment in targeted ways, and pulling response artifacts in
specific ways.
-
Do not expect to test server specifics. In other words, the tests
are not a guarantee that the code will run on a specific server
configuration, but merely that the application should run as
expected should the router be able to route the given request. To
this end, do not set server-specific headers in the request object.
Once the application is bootstrapped, you can then start creating
your tests.
Testing your Controllers and MVC Applications
Once you have your bootstrap in place, you can begin testing. Testing
is basically as you would expect in an PHPUnit test suite, with a few
minor differences.
First, you will need to dispatch a URL to test, using the
dispatch() method of the TestCase:
class IndexControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
// ...
public function testHomePage()
{
$this->dispatch('/');
// ...
}
}
There will be times, however, that you need to provide extra
information -- GET and POST variables, COOKIE information, etc. You can
populate the request with that information:
class FooControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
// ...
public function testBarActionShouldReceiveAllParameters()
{
// Set GET variables:
$this-> request-> setQuery(array(
'foo' => 'bar',
'bar' => 'baz',
));
// Set POST variables:
$this-> request-> setPost(array(
'baz' => 'bat',
'lame' => 'bogus',
));
// Set a cookie value:
$this->request->setCookie('user', 'matthew');
// or many:
$this-> request-> setCookies(array(
'host' => 'foobar',
));
// Set headers, even:
$this->request->setHeader('X-Requested-With', 'XmlHttpRequest');
// Set the request method:
$this->request->setMethod('POST');
// Dispatch:
$this->dispatch('/foo/bar');
// ...
}
}
Now that the request is made, it's time to start making assertions against it.
Controller Tests and the Redirector Action Helper
Important
The redirect action helper issues an exit() statement
when using the method gotoAndExit()
and will then obviously also stop any tests running against controllers
using this method. For testability of your application dont use that
method of the redirector!
Due to its nature the redirector action helper plugin issues a redirect
and then exits. Because you cannot test parts of an application
that issue exit calls Zend_Test_PHPUnit_ControllerTestCase
automatically disables the exit part of the redirector as it can cause
test behavior to differ from the real application. To ensure your controllers can
be properly tested, please make use of the redirector when you need to redirect
the user to a different page:
class MyController extends Zend_Controller_Action
{
public function indexAction()
{
if($someCondition == true) {
return $this->_redirect(...);
} else if($anotherCondition == true) {
$this->_redirector->gotoSimple("foo");
return;
}
// do some stuff here
}
}
Important
Depending on your application this is not enough as additional action,
preDispatch() or postDispatch()
logic might be executed. This cannot be handled in a good way with Zend Test
currently.
Assertions
Assertions are at the heart of Unit Testing; you use them to verify
that the results are what you expect. To this end,
Zend_Test_PHPUnit_ControllerTestCase provides a number of
assertions to make testing your MVC apps and controllers simpler.
CSS Selector Assertions
CSS selectors are an easy way to verify that certain artifacts are
present in the response content. They also make it trivial to
ensure that items necessary for Javascript UIs and/or AJAX
integration will be present; most JS toolkits provide some
mechanism for pulling DOM elements based on CSS selectors, so the
syntax would be the same.
This functionality is provided via Zend_Dom_Query, and integrated
into a set of 'Query' assertions. Each of these assertions takes
as their first argument a CSS selector, with optionally additional
arguments and/or an error message, based on the assertion type. You
can find the rules for writing the CSS selectors in the Zend_Dom_Query theory of
operation chapter. Query assertions include:
-
assertQuery($path, $message): assert that
one or more DOM elements matching the given CSS selector are
present. If a $message is present, it will be
prepended to any failed assertion message.
-
assertQueryContentContains($path, $match, $message):
assert that one or more DOM elements matching the given CSS
selector are present, and that at least one contains the content provided in
$match. If a $message is present, it will
be prepended to any failed assertion message.
-
assertQueryContentRegex($path, $pattern, $message):
assert that one or more DOM elements matching the given CSS
selector are present, and that at least one matches the regular expression
provided in $pattern. If a $message is
present, it will be prepended to any failed assertion message.
-
assertQueryCount($path, $count, $message): assert that
there are exactly $count DOM elements matching the given
CSS selector present. If a $message is
present, it will be prepended to any failed assertion message.
-
assertQueryCountMin($path, $count, $message): assert
that there are at least $count DOM elements matching the
given CSS selector present. If a $message
is present, it will be prepended to any failed assertion message.
Note: specifying a value of 1 for
$count is the same as simply using
assertQuery().
-
assertQueryCountMax($path, $count, $message): assert
that there are no more than $count DOM elements matching the
given CSS selector present. If a $message
is present, it will be prepended to any failed assertion message.
Note: specifying a value of 1 for
$count is the same as simply using
assertQuery().
Additionally, each of the above has a 'Not' variant that provides a
negative assertion: assertNotQuery(),
assertNotQueryContentContains(),
assertNotQueryContentRegex(), and
assertNotQueryCount(). (Note that the min and
max counts do not have these variants, for what should be obvious
reasons.)
XPath Assertions
Some developers are more familiar with XPath than with CSS
selectors, and thus XPath variants of all the Query
assertions are also provided. These are:
-
assertXpath($path, $message = '')
-
assertNotXpath($path, $message = '')
-
assertXpathContentContains($path, $match, $message =
'')
-
assertNotXpathContentContains($path, $match, $message =
'')
-
assertXpathContentRegex($path, $pattern, $message = '')
-
assertNotXpathContentRegex($path, $pattern, $message =
'')
-
assertXpathCount($path, $count, $message = '')
-
assertNotXpathCount($path, $count, $message = '')
-
assertXpathCountMin($path, $count, $message = '')
-
assertNotXpathCountMax($path, $count, $message = '')
Redirect Assertions
Often an action will redirect. Instead of following the redirect,
Zend_Test_PHPUnit_ControllerTestCase allows you to
test for redirects with a handful of assertions.
-
assertRedirect($message = ''): assert simply that
a redirect has occurred.
-
assertNotRedirect($message = ''): assert that no
redirect has occurred.
-
assertRedirectTo($url, $message = ''): assert that
a redirect has occurred, and that the value of the Location
header is the $url provided.
-
assertNotRedirectTo($url, $message = ''): assert that
a redirect has either NOT occurred, or that the value of the Location
header is NOT the $url provided.
-
assertRedirectRegex($pattern, $message = ''):
assert that a redirect has occurred, and that the value of the
Location header matches the regular expression provided by
$pattern.
-
assertNotRedirectRegex($pattern, $message = ''):
assert that a redirect has either NOT occurred, or that the value of the
Location header does NOT match the regular expression provided by
$pattern.
Request Assertions
It's often useful to assert against the last run action,
controller, and module; additionally, you may want to assert
against the route that was matched. The following assertions can
help you in this regard:
-
assertModule($module, $message = ''): Assert that
the given module was used in the last dispatched action.
-
assertController($controller, $message = ''):
Assert that the given controller was selected in the last
dispatched action.
-
assertAction($action, $message = ''): Assert that
the given action was last dispatched.
-
assertRoute($route, $message = ''): Assert that
the given named route was matched by the router.
Each also has a 'Not' variant for negative assertions.
Examples
Knowing how to setup your testing infrastructure and how to make
assertions is only half the battle; now it's time to start looking at
some actual testing scenarios to see how you can leverage them.
Example #2 Testing a UserController
Let's consider a standard task for a website: authenticating and registering users. In
our example, we'll define a UserController for handling this, and have the following
requirements:
-
If a user is not authenticated, they will always be redirected
to the login page of the controller, regardless of the action
specified.
-
The login form page will show both the login form and the
registration form.
-
Providing invalid credentials should result in returning to the login form.
-
Valid credentials should result in redirecting to the user profile page.
-
The profile page should be customized to contain the user's username.
-
Authenticated users who visit the login page should be
redirected to their profile page.
-
On logout, a user should be redirected to the login page.
-
With invalid data, registration should fail.
We could, and should define further tests, but these will do for
now.
For our application, we will define a plugin, 'Initialize', that
runs at routeStartup(). This allows us to encapsulate
our bootstrap in an OOP interface, which also provides an easy way
to provide a callback. Let's look at the basics of this class
first:
class Bugapp_Plugin_Initialize extends Zend_Controller_Plugin_Abstract
{
/**
* @var Zend_Config
*/
/**
* @var string Current environment
*/
protected $_env;
/**
* @var Zend_Controller_Front
*/
protected $_front;
/**
* @var string Path to application root
*/
protected $_root;
/**
* Constructor
*
* Initialize environment, root path, and configuration.
*
* @param string $env
* @param string|null $root
* @return void
*/
public function __construct($env, $root = null)
{
$this->_setEnv($env);
if (null === $root) {
}
$this->_root = $root;
$this->initPhpConfig();
$this->_front = Zend_Controller_Front::getInstance();
}
/**
* Route startup
*
* @return void
*/
public function routeStartup(Zend_Controller_Request_Abstract $request)
{
$this->initDb();
$this->initHelpers();
$this->initView();
$this->initPlugins();
$this->initRoutes();
$this->initControllers();
}
// definition of methods would follow...
}
This allows us to create a bootstrap callback like the following:
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
public function appBootstrap()
{
$controller = $this->getFrontController();
$controller->registerPlugin(
new Bugapp_Plugin_Initialize('development')
);
}
public function setUp()
{
$this-> bootstrap = array($this, 'appBootstrap');
parent::setUp();
}
// ...
}
Once we have that in place, we can write our tests. However, what
about those tests that require a user is logged in? The easy
solution is to use our application logic to do so... and fudge a
little by using the resetRequest() and
resetResponse() methods, which will allow us to
dispatch another request.
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
// ...
public function loginUser($user, $password)
{
$this->request->setMethod('POST')
'username' => $user,
'password' => $password,
));
$this->dispatch('/user/login');
$this->assertRedirectTo('/user/view');
$this->resetRequest()
->resetResponse();
$this-> request-> setPost(array());
// ...
}
// ...
}
class UserControllerTest extends Zend_Test_PHPUnit_ControllerTestCase
{
// ...
public function testCallWithoutActionShouldPullFromIndexAction()
{
$this->dispatch('/user');
$this->assertController('user');
$this->assertAction('index');
}
public function testLoginFormShouldContainLoginAndRegistrationForms()
{
$this->dispatch('/user');
$this->assertQueryCount('form', 2);
}
public function testInvalidCredentialsShouldResultInRedisplayOfLoginForm()
{
$request = $this->getRequest();
$request->setMethod('POST')
'username' => 'bogus',
'password' => 'reallyReallyBogus',
));
$this->dispatch('/user/login');
$this->assertNotRedirect();
$this->assertQuery('form');
}
public function testValidLoginShouldRedirectToProfilePage()
{
$this->loginUser('foobar', 'foobar');
}
public function testAuthenticatedUserShouldHaveCustomizedProfilePage()
{
$this->loginUser('foobar', 'foobar');
$this->request->setMethod('GET');
$this->dispatch('/user/view');
$this->assertNotRedirect();
$this->assertQueryContentContains('h2', 'foobar');
}
public function
testAuthenticatedUsersShouldBeRedirectedToProfileWhenVisitingLogin()
{
$this->loginUser('foobar', 'foobar');
$this->request->setMethod('GET');
$this->dispatch('/user');
$this->assertRedirectTo('/user/view');
}
public function testUserShouldRedirectToLoginPageOnLogout()
{
$this->loginUser('foobar', 'foobar');
$this->request->setMethod('GET');
$this->dispatch('/user/logout');
$this->assertRedirectTo('/user');
}
public function testRegistrationShouldFailWithInvalidData()
{
'username' => 'This will not work',
'email' => 'this is an invalid email',
'password' => 'Th1s!s!nv@l1d',
'passwordVerification' => 'wrong!',
);
$request = $this->getRequest();
$request->setMethod('POST')
->setPost($data);
$this->dispatch('/user/register');
$this->assertNotRedirect();
$this->assertQuery('form .errors');
}
}
Notice that these are terse, and, for the most part, don't look for
actual content. Instead, they look for artifacts within the
response -- response codes and headers, and DOM nodes. This allows
you to verify that the structure is as expected -- preventing your
tests from choking every time new content is added to the site.
Also notice that we use the structure of the document in our tests.
For instance, in the final test, we look for a form that has a node
with the class of "errors"; this allows us to test merely for the
presence of form validation errors, and not worry about what
specific errors might have been thrown.
This application may utilize a database. If
so, you will probably need some scaffolding to ensure that the
database is in a pristine, testable configuration at the beginning
of each test. PHPUnit already provides functionality for doing so;
» read
about it in the PHPUnit documentation. We recommend
using a separate database for testing versus production, and in
particular recommend using either a SQLite file or in-memory
database, as both options perform very well, do not require a
separate server, and can utilize most SQL syntax.
|
|