我正在努力模拟我的Symfony表单测试中的query_builder
选项,我尝试使用m:on(function () {})
,但无济于事......
以下是我想要实现的一个例子:
namespace AppBundle\Form;
use Symfony\Component\Form\AbstractType;
class MyCustomForm extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$userToken = 'this will be a TokenInterface object';
$builder->add('field1', EntityType::class, [
'label' => 'My Label',
'class' => 'AppBundle:MyClass',
'query_builder' => function (MyClassRepository $repository) use ($userToken) {
return $repository->setUserToken($userToken)->orderBy('alias.column_1');
]);
}
}
我想要做的是测试在模拟对象上调用setUserToken
和orderBy
方法。
namespace tests\Unit\AppBundle\Form;
class MyCustomFormTest extends \PHPUnit_Framework_TestCase
{
// Setup test class etc...
public function testBuildingTheForm()
{
$this->builder->shouldReceive('add')
->once()
->with('field1', EntityType::class, [
'label' => 'My Label',
'class' => 'AppBundle:MyClass',
'query_builder' => m::on(function ($closure) use ($userToken) {
// Test calls
// Test a mock method call with($userToken)
return true;
},
]);
$this->testClass->buildForm($this->builder, []);
}
}
这是我收到的错误:
1) Tests\Unit\AppBundle\Form\MyCustomFormTest::testBuildingTheForm
Mockery\Exception\NoMatchingExpectationException: No matching handler found for Mockery_0_IteratorAggregate_Symfony_Component_Form_FormBuilderInterface::add("field1", "Symfony\Bridge\Doctrine\Form\Type\EntityType", array('label'=>'My Label','class'=>'AppBundle:MyClass','query_builder'=>'object(Closure)',)). Either the method was unexpected or its arguments matched no expected argument list for this method
答案 0 :(得分:2)
你不能那样嵌入Mockery::on
,所以你需要提升一个级别,如下所示:
public function testBuildingTheForm()
{
$this->builder->shouldReceive('add')
->once()
->with('field1', EntityType::class, m::on(function ($options) use ($userToken) {
$this->assertEquals('My Label', $options['label'];
$this->assertEquals('AppBundle:MyClass', $options['class'];
// whatever you need to test with $options['query_builder']
return true;
}));
$this->testClass->buildForm($this->builder, []);
}
答案 1 :(得分:0)
感谢Dave Marshall,我想出了一个解决方案!
测试类:
namespace tests\Unit\AppBundle\Form;
class MyCustomFormTest extends \PHPUnit_Framework_TestCase
{
// Setup test class etc...
public function testBuildingTheForm()
{
$this->builder->shouldReceive('add')
->once()
->with('field1', EntityType::class, m::on(function ($options) use ($userToken) {
$this->assertSame('My Label', $options['label']);
$this->assertSame('AppBundle:MyClass', $options['class']);
$mockRepository = m::mock('AppBundle\Repository\ MyClassRepository');
$mockRepository->shouldReceive('setUserToken')->with($userToken)->once()->andReturnSelf();
$mockRepository->shouldReceive('orderBy')->with('alias.column_1', 'ASC')->once()->andReturnSelf();
$options['query_builder']($mockRepository);
return true;
}));
$this->testClass->buildForm($this->builder, []);
}
}