我正在使用Doctrine 2构建一个ZF2应用程序,并尝试使用模拟对象进行测试。我试图测试的原始动作如下:
public function indexAction()
{
$title = 'File Types';
$this->layout()->title = $title;
$em = $this->serviceLocator->get('entity_manager');
$fileTypes = $em->getRepository('Resource\Entity\FileType')
->findBy(array(), array('type' => 'ASC'));
return array(
'title' => $title,
'fileTypes' => $fileTypes
);
}
在我的测试中,我使用以下方法来创建实体管理器和FileTypes实体存储库的模拟:
public function mockFiletypeResult($output)
{
$emMock = $this->getMockBuilder('Doctrine\ORM\EntityManager')
->disableOriginalConstructor()
->getMock();
$repositoryMock = $this->getMock('Resource\Entity\FileType');
$repositoryMock->expects($this->any())
->method('findBy')
->will($this->returnValue($output));
$emMock->expects($this->any())
->method('getRepository')
->will($this->returnValue($repositoryMock));
$this->getApplicationServiceLocator()->setAllowOverride(true);
$this->getApplicationServiceLocator()->setService('Resource\Entity\FileType', $repositoryMock);
$this->getApplicationServiceLocator()->setService('Doctrine\ORM\EntityManager', $emMock);
}
以上代码基于我在this post on stackoverflow中阅读的内容。
问题是,当我运行测试时,我收到以下错误:Fatal error: Call to undefined method Mock_FileType_39345bde::findBy() in /path/to/test
。我究竟做错了什么?我环顾了一堆,但似乎无法弄清楚问题。
编辑2:我已经尝试在我的实体存储库中添加一个新方法,如下所示:
public function getFileTypes()
{
$query = $this->_em->createQuery('SELECT t
FROM Resource\Entity\FileType t
ORDER BY t.type ASC, t.extension ASC');
return $query->getResult();
}
然后我尝试用我的控制器中的getFileTypes替换findBy方法,并在mock中删除getFileTypes。同样的问题:它说它找不到方法。
还有一件事:不确定它是否重要,但我使用的是PHPUnit 3.7版。出于某种原因,我认为4.x版本与ZF2无法正常工作。我应该升级吗?
答案 0 :(得分:7)
如果您不在存储库中使用getMockBuilder()
,则会期望您存根任何被调用的方法。如果您使用getMockBuilder()
,它将自动使用返回null
的虚拟实现替换所有函数。
所以你可以使用模拟构建器
$repositoryMock =
$this->getMockBuilder('\Doctrine\ORM\EntityRepository')->getMock();
或删除在其他地方调用的findBy()
函数
$repositoryMock->expects($this->any())
->method('findBy')
->will($this->returnValue(null));
查看更多:https://phpunit.de/manual/current/en/test-doubles.html
修改强>
我只是注意到你在嘲笑你的实体,但你需要嘲笑你的存储库或Doctrine。请参阅我上面编辑的评论。如果保留findBy()
方法,则只需模拟 EntityRepository 类。如果你有自己的(例如 Resources \ Repository \ FileTypeRepository ),你可以改为模拟它。
此外,您可能需要将\
放在MockBuilder调用的开头,这样它们才能正确命名。