如何在功能测试中测试电子邮件(Symfony2)

Ous*_*ane 7 functional-testing swiftmailer symfony

我正在尝试在功能测试中测试电子邮件...

我的源代码与cookbook例子相同,

控制器:

public function sendEmailAction($name)
{
    $message = \Swift_Message::newInstance()
        ->setSubject('Hello Email')
        ->setFrom('send@example.com')
        ->setTo('recipient@example.com')
        ->setBody('You should see me from the profiler!')
    ;

    $this->get('mailer')->send($message);

    return $this->render(...);
}
Run Code Online (Sandbox Code Playgroud)

而且测试:

// src/Acme/DemoBundle/Tests/Controller/MailControllerTest.php
use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;

class MailControllerTest extends WebTestCase
{
    public function testMailIsSentAndContentIsOk()
    {
        $client = static::createClient();

        // Enable the profiler for the next request (it does nothing if the profiler is not available)
        $client->enableProfiler();

        $crawler = $client->request('POST', '/path/to/above/action');

        $mailCollector = $client->getProfile()->getCollector('swiftmailer');

        // Check that an e-mail was sent
        $this->assertEquals(1, $mailCollector->getMessageCount());

        $collectedMessages = $mailCollector->getMessages();
        $message = $collectedMessages[0];

        // Asserting e-mail data
        $this->assertInstanceOf('Swift_Message', $message);
        $this->assertEquals('Hello Email', $message->getSubject());
        $this->assertEquals('send@example.com', key($message->getFrom()));
        $this->assertEquals('recipient@example.com', key($message->getTo()));
        $this->assertEquals(
            'You should see me from the profiler!',
            $message->getBody()
        );
    }
}
Run Code Online (Sandbox Code Playgroud)

但是我收到了这个错误:

PHP致命错误:在非对象上调用成员函数getCollector()

问题来自这条线:

$mailCollector = $client->getProfile()->getCollector('swiftmailer');
Run Code Online (Sandbox Code Playgroud)

任何的想法 ?

Nic*_*ich 7

抛出异常,因为getProfile()如果未启用探查器,则返回false.看到这里.

public function getProfile()
{
    if (!$this->kernel->getContainer()->has('profiler')) {
        return false;
    }

    return $this->kernel->getContainer()->get('profiler')->loadProfileFromResponse($this->response);
}
Run Code Online (Sandbox Code Playgroud)

此外,enableProfiler()只有在启用了服务容器并注册的情况下才启用剖析器.看到这里.

public function enableProfiler()
{
    if ($this->kernel->getContainer()->has('profiler')) {
        $this->profiler = true;
    }
}
Run Code Online (Sandbox Code Playgroud)

现在,您必须确保在测试环境中启用了探查器.(通常应该是默认设置)

config_test.yml

framework:
   profiler:
       enabled: true
Run Code Online (Sandbox Code Playgroud)

您可以在测试中添加以下内容:

$this->assertEquals($this->kernel->getContainer()->has('profiler'), true);
Run Code Online (Sandbox Code Playgroud)