9

我在 Symony2 中创建了一个非常简单的 REST 控制器,控制器操作中有数据库插入/更新/删除。

有没有一种很好的方法来为这些控制器操作编写单元/集成测试而不污染生产数据库?我是否必须与不同的环境一起工作 - 或者框架供应商是否有为此提出的方法?

电流控制器示例:

public function postAction()
{
    $json = $this->getRequest()->getContent();
    $params = json_decode($json);
    $name = $params->name;
    $description = $params->description;

    $sandbox = new Sandbox();
    $sandbox->setName($name);
    $sandbox->setDescription($description);
    $em = $this->getDoctrine()->getManager();
    $em->persist($sandbox);
    $em->flush();

    $response = new Response('/sandbox/'.$sandbox->getId());
    $response->setStatusCode(201);
    return $response;
}

当前测试示例:

class SandboxControllerTest extends WebTestCase
{

    public function testRest()
    {
        $client = static::createClient();

        $crawler = $client->request('POST', '/service/sandbox', array(), array(), array(), json_encode(array('name' => 'TestMe', 'description' => 'TestDesc')));

        $this->assertEquals(
                201, $client->getResponse()->getStatusCode()
        );
    }
}
4

3 回答 3

18

在我看来,您绝对应该避免在测试中更改数据库。

我最喜欢的实现方式是在测试客户端中注入实体管理器模拟。例如:

public function testRest()
{
    // create entity manager mock
    $entityManagerMock = $this->getMockBuilder('Doctrine\ORM\EntityManager')
        ->setMethods(array('persist', 'flush'))
        ->disableOriginalConstructor()
        ->getMock();

    // now you can get some assertions if you want, eg.:
    $entityManagerMock->expects($this->once())
        ->method('flush');

    // next you need inject your mocked em into client's service container
    $client = static::createClient();
    $client->getContainer()->set('doctrine.orm.default_entity_manager', $entityManagerMock);

    // then you just do testing as usual
    $crawler = $client->request('POST', '/service/sandbox', array(), array(), array(), json_encode(array('name' => 'TestMe', 'description' => 'TestDesc')));

    $this->assertEquals(
            201, $client->getResponse()->getStatusCode()
    );
}

您应该注意此解决方案的一件事是您需要在每个请求之前注入您的模拟服务。这是因为客户端在每个请求之间重新启动内核(这意味着容器也在重建)。

编辑:

我在控制器测试中的 GET 方法是,我可以模拟实体存储库等,以便对从 db 获取的每个数据进行存根,但这需要大量工作并且不是很舒服,所以在这种情况下我更喜欢(我的意思是只有当我们说话时关于控制器的测试)实际上从数据库中获取真实数据。我所说的真实数据是指用教条固定装置创建的数据。只要我们不更改数据库,我们就可以依赖灯具。

但是,如果我们谈论更改数据库中的数据(POST/PUT/DELETE 方法),我总是使用模拟。如果您将使用 em mock 并对“perist”和“flush”方法设置适当的期望,则可以确保在没有任何数据库修改的情况下实际正确创建/更新/删除数据。

于 2013-01-19T12:56:33.357 回答
4

这是我所做的

在您的测试类中添加 $kernel 静态变量并创建一个在测试模式下加载内核的函数

protected static $kernel;
protected static $container;

public static function setUpBeforeClass()
{
    self::$kernel = new \AppKernel('test', true);
    self::$kernel->boot();

    self::$container = self::$kernel->getContainer();
}

并作为测试函数的第一行,调用self:setUpBeforeClass()

这使得 symfony 加载 config_test.yml 配置文件,你可以在那里定义不同的数据库连接

于 2013-01-19T12:58:54.217 回答
1

一个很好的方法是使用单独的 SQLite 数据库和 DoctrineFixturesBundle,特别是如果您需要在数据库中有一些测试数据。

于 2014-10-27T14:39:36.137 回答