我已跟随unit testing tutorial并修改它以测试对基于on this post的Micro MVC应用的HTTP请求。我可以成功验证输出字符串,但是我不确定如何断言响应状态代码或更改请求路径。
的index.php
<?php
$app = new \Phalcon\Mvc\Micro();
#Default handler for 404
$app->notFound(function () use ($app) {
$app->response->setStatusCode(404, "Not Found")->sendHeaders();
});
$app->post('/api/robots', function() use ($app) {
//Parse JSON as an object
$robot = $app->request->getJsonRawBody();
//Build the response
$app->response->setJsonContent($robot);
return $app->response;
});
$app->get('/', function() {
echo 'Hello';
});
$app->handle();
测试/ UnitTest.php中
class MvcMicroUnitTest extends \UnitTestCase {
public function testNotFound() {
$path = '/invalid';
$mockRequest = $this->getMock("\\Phalcon\\Http\\Request");
//TODO: Set an invalid URL $path in the mock
$this->di->set('request', $mockRequest, true);
include("../index.php");
//TODO: Assert status is 404
$this->expectOutputString('');
}
public function testPostRobot() {
$rawJson = '{"name":"C-3PO","type":"droid","year":1977}';
$path = '/api/robots';
$mockRequest = $this->getMock("\\Phalcon\\Http\\Request", array(
"getJsonRawBody"));
$mockRequest->expects($this->any())
->method("getRawBody")
->will($this->returnValue($rawJson));
//TODO: Set the $path in the mock
$this->di->set('request', $mockRequest, true);
include("../index.php");
//TODO: Assert status is 200
$this->expectOutputString($rawJson);
}
}
答案 0 :(得分:1)
好消息和坏消息。好:就您使用标准调度原则而言,您将得到一个响应,其中包含您需要的信息。小技巧 - 当状态成功时,标题设置为false
。
/**
* @param $expected
* @throws ExpectationFailedException
* @return $this
*/
protected function assertResponseCode($expected)
{
$actual = $this->di->getResponse()->getHeaders()->get('Status');
if ($actual !== false && $expected !== 200 && !preg_match(sprintf('/^%s/', $expected), $actual)) {
throw new ExpectationFailedException(sprintf('Failed asserting that response code is "%s".', $expected));
}
$this->assertTrue(true);
return $this;
}
糟糕:你这样做是错误的。这是功能/验收测试领域,有一个名为Behat的神话般的框架。你应该做自己的研究,但实质上,虽然PHPUnit非常擅长测试或多或少独立的功能块,但它很难测试更全面的请求执行等更大的事情。稍后您将开始遇到会话错误,配置错误的环境等问题,因为每个请求都应该在它自己的独立空间中执行,并强制它执行相反的操作。另一方面,Behat以一种非常不同的方式工作,对于每个场景(发布机器人,查看不存在的页面),它向服务器发送新的请求并检查结果。它主要用于通过对最终结果进行断言(响应对象/ html / json)来对所有一起工作进行最终测试。