6
// src/Acme/DemoBundle/Tests/Controller/DemoControllerTest.php
namespace Acme\DemoBundle\Tests\Controller;

use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;

class DemoControllerTest extends WebTestCase
{
    public function testIndex()
    {
        $client = static::createClient();

        $crawler = $client->request('GET', '/demo/hello/Fabien');

        $this->assertGreaterThan(0, $crawler->filter('html:contains("Hello Fabien")')->count());
    }
}

这在我的测试中工作正常,但我想在控制器中也使用这个爬虫。我该怎么做?

我制作路线,并添加到控制器:

<?php

// src/Ens/JobeetBundle/Controller/CategoryController

namespace Acme\DemoBundle\Controller;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Acme\DemoBundle\Entity\Category;
use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;

class CategoryController extends Controller
{   
  public function testAction()
  {
    $client = WebTestCase::createClient();

    $crawler = $client->request('GET', '/category/index');
  }

}

但这返回了我的错误:

Fatal error: Class 'PHPUnit_Framework_TestCase' not found in /acme/vendor/symfony/src/Symfony/Bundle/FrameworkBundle/Test/WebTestCase.php on line 24
4

2 回答 2

4

WebTestCase 类是一个特殊的类,设计为在测试框架 (PHPUnit) 中运行,您不能在控制器中使用它。

但是你可以像这样创建一个 HTTPKernel 客户端:

use Symfony\Component\HttpKernel\Client;

...

public function testAction()
{
    $client = new Client($this->get('kernel'));
    $crawler = $client->request('GET', '/category/index');
}

请注意,您将只能使用此客户端浏览您自己的 symfony 应用程序。如果你想浏览一个外部服务器,你需要使用另一个客户端,比如 goutte。

此处创建的爬虫与 WebTestCase 返回的爬虫相同,因此您可以遵循 symfony测试文档中详述的相同示例

如果您需要更多信息,这里是爬虫组件的文档,这里是类参考

于 2012-09-05T14:03:45.670 回答
1

您不应该WebTestCaseprod环境中使用,因为WebTestCase::createClient()会创建测试客户端。

在您的控制器中,您应该执行以下操作(我建议您使用Buzz\Browser):

use Symfony\Component\DomCrawler\Crawler;
use Buzz\Browser;

...
$browser = new Browser();
$crawler = new Crawler();

$response = $browser->get('/category/index');
$content = $response->getContent();
$crawler->addContent($content);
于 2012-09-05T13:55:01.073 回答