I am working on a PHP Unit test where I need to test (while 100% code coverage is required) a class that implements it's own redirect($url, $code)
method. This method calls exit;
at the end to make sure no other code is executed after the redirect (and without this exit;
the redirection is not done in the end...).
Now this redirect method is called in 7 different conditions which all have their own unit test case. If I run the unit tests while the exit;
is present in the tested class, the unit tests are exited as well. Each of the test cases is testing something like:
$this->assertRedirect();
$this->assertResponseStatusCode(401);
Therefore I need to stub the redirect
method so that it set's the Location
header as well as the status code.
Here is what I am trying to do (using the redirect method's content except that exit;
part - but it is not working obviously):
$this->class = $this->getMockBuilder('Some\Name\Space\Class')
->disableOriginalConstructor()
->getMock();
$this->class->expects($this->any())
->method('redirect')
->will($this->returnCallback(function () {
$this->response->getHeaders()->addHeaderLine('Location: /');
$this->response->setStatusCode(401);
$this->response->sendHeaders();
}));
and what I have tried before (and didn't work as well):
$this->class = $this->getMockBuilder('Some\Name\Space\Class')
->disableOriginalConstructor()
->getMock();
$this->class->expects($this->any())
->method('redirect')
->will($this->returnCallback(function () {
header('Location: /');
}));
Now the purpose of the class is to redirect somewhere in 90% of code coverage (only in one case - 2 lines out of 90 - it is not redirecting) so without the possibility to stub this redirect (and without possibility to test redirects at all) the test cases would not have almost any sense for this class (which is unwilling).
Any help is highly appreciated.
EDIT: Looks like phpunit/test_helpers could do the trick, but unfortunately, I am not able to install this extension to our preview and production environments where the tests are automatically run per each application deploy.