我正在尝试为我的Silex应用程序创建一个单元测试。单元测试类看起来像这样:
class PageTest extends WebTestCase {
public function createApplication() {
$app = require __DIR__ . '/../../app/app.php';
$app['debug'] = true;
$app['session.storage'] = $app->share(function() {
return new MockArraySessionStorage();
});
$app['session.test'] = true;
unset($app['exception_handler']);
return $app;
}
public function testIndex() {
$client = $this->createClient();
$client->request('GET', '/');
$this->assertTrue($client->getResponse()->isOk());
}
}
它尝试请求的silex路由看起来像这样:
$app->get('/', function() use($app) {
$user = $app['session']->get('loginUser');
return $app['twig']->render('views/index.twig', array(
'user' => $user,
));
});
这会导致 RuntimeException:因为已经发送了标头而无法启动会话。 \ Symfony \ Component \ HttpFoundation \ Session \ Storage \ NativeSessionStorage.php:142 >使用$ track [' session'] - >获取包含路线中的回溯。
看起来在NativeSessionStorage中会话开始尝试之前发生的输出实际上是PHPUnit输出信息,因为这是我在错误消息之前得到的唯一输出:
PHPUnit 3.7.8 by Sebastian Bergmann.
Configuration read from (PATH)\phpunit.xml
E.......
我有点困惑,因为phpunit的这个错误输出发生在执行实际测试方法之前的输出中。我没有运行任何其他测试方法,所以它必须来自此错误。
我应该如何让PHPUnit在使用会话变量的silex路由上工作?
答案 0 :(得分:5)
好的,我遇到了同样的问题,经过一个小时的浏览后,我成功通过了测试。
在Silex 2.0-dev上,从$app['session.test'] = true
类调用WebTestCase
根本不起作用,它需要在bootstrap中发生。
实现它的方法很多,其中有两种:
1 / phpunit.xml.dist
<?xml version="1.0" encoding="UTF-8"?>
<phpunit backupGlobals="false"
backupStaticAttributes="false"
colors="true"
convertErrorsToExceptions="true"
convertNoticesToExceptions="true"
convertWarningsToExceptions="true"
processIsolation="false"
stopOnFailure="false"
syntaxCheck="false"
bootstrap="./app.php"
>
<php>
<env name="TEST" value="true" /> //-> This is the trick
</php>
<testsuites>
<testsuite name="Your app Test Suite">
<directory>./tests/</directory>
</testsuite>
</testsuites>
</phpunit>
然后在bootstrap中
$app = new \Silex\Application();
...
$app->register(new \Silex\Provider\SessionServiceProvider(), [
'session.test' => false !== getenv('TEST')
]);
...
return $app;
2 /通过扩展Silex\Application
,您可以将环境传递给构造函数
namespace Your\Namespace;
class YourApp extends \Silex\Application
{
public function __construct($env, array $params = array())
{
$this['env'] = $env;
parent::__construct($params);
}
}
然后在你的引导程序
$env = // Your logic ...
$app = new \Your\Namespace\YourApp($env);
...
$app->register(new \Silex\Provider\SessionServiceProvider(), [
'session.test' => 'test' === $app['env'],
]);
...
return $app;
希望有所帮助,欢呼!
答案 1 :(得分:0)
好的,我找到了答案。这似乎是Silex中的一个错误。
在注册标准FormServiceProvider之前注册twig扩展时出现问题。它不是由树枝扩展内部的任何内容引起的,如果我将整个扩展类拆除为空方法,则错误仍然存在。
因此,在注册提供程序之后,应始终在Silex应用程序对象中注册twig扩展,至少在FormServiceProvider之后(直到错误修复)。