在Guzzle中同时模拟响应并使用历史中间件

问题描述 投票:4回答:2

有没有办法在Guzzle中模拟响应和请求?

我有一个发送一些请求的类,我想测试。

在Guzzle doc中,我找到了一种方法,我如何模拟响应和单独请求。但我怎样才能将它们结合起来?

因为,如果使用历史堆栈,guzzle试图发送一个真实的请求。和签证一样,当我模拟响应处理程序无法测试请求时。

class MyClass {

     public function __construct($guzzleClient) {

        $this->client = $guzzleClient;

    }

    public function registerUser($name, $lang)
    {

           $body = ['name' => $name, 'lang' = $lang, 'state' => 'online'];

           $response = $this->sendRequest('PUT', '/users', ['body' => $body];

           return $response->getStatusCode() == 201;        
    }

   protected function sendRequest($method, $resource, array $options = [])
   {

       try {
           $response = $this->client->request($method, $resource, $options);
       } catch (BadResponseException $e) {
           $response = $e->getResponse();
       }

       $this->response = $response;

      return $response;
  }

}

测试:

class MyClassTest {

  //....
 public function testRegisterUser()

 { 

    $guzzleMock = new \GuzzleHttp\Handler\MockHandler([
        new \GuzzleHttp\Psr7\Response(201, [], 'user created response'),
    ]);

    $guzzleClient = new \GuzzleHttp\Client(['handler' => $guzzleMock]);

    $myClass = new MyClass($guzzleClient);
    /**
    * But how can I check that request contains all fields that I put in the body? Or if I add some extra header?
    */
    $this->assertTrue($myClass->registerUser('John Doe', 'en'));


 }
 //...

}
php unit-testing guzzle guzzle6 guzzlehttp
2个回答
6
投票

@Alex Blex非常接近。

解:

$container = [];
$history = \GuzzleHttp\Middleware::history($container);

$guzzleMock = new \GuzzleHttp\Handler\MockHandler([
    new \GuzzleHttp\Psr7\Response(201, [], 'user created response'),
]);

$stack = \GuzzleHttp\HandlerStack::create($guzzleMock);

$stack->push($history);

$guzzleClient = new \GuzzleHttp\Client(['handler' => $stack]);

1
投票

首先,你不要模拟请求。请求是您将要在生产中使用的真实请求。模拟处理程序实际上是一个堆栈,因此您可以在那里推送多个处理程序:

$container = [];
$history = \GuzzleHttp\Middleware::history($container);

$stack = \GuzzleHttp\Handler\MockHandler::createWithMiddleware([
    new \GuzzleHttp\Psr7\Response(201, [], 'user created response'),
]);

$stack->push($history);

$guzzleClient = new \GuzzleHttp\Client(['handler' => $stack]);

运行测试后,$container将为您提供断言的所有事务。在您的特定测试中 - 单个事务。您对$container[0]['request']感兴趣,因为$container[0]['response']将包含您的预制响应,因此没有什么可以断言的。

© www.soinside.com 2019 - 2024. All rights reserved.