1

如何扩展默认的 guzzle 响应对象?

$client = new GuzzleHttp\Client(['base_uri' => 'https://foo.com/api/']);
$response = $client->request('GET', 'test'); // I want my own class instance here

当前的目标是添加一个json函数作为响应(但它可能是别的东西)。我迷失在 guzzle 6 文档中。

4

1 回答 1

2

我强烈建议不要GuzzleHttp\Http\Message\Response通过继承进行扩展。推荐的方法是使用组合来实现Psr\Http\Message\ResponseInterface,然后将对 ResponseInterface 方法的所有调用代理到封闭的对象。这将最大限度地提高其可用性。

class JsonResponse implements Psr\Http\Message\ResponseInterface {
    public function __construct(Psr\Http\Message\ResponseInterface $response) {
        $this->response = $response;
    }

    public function getHeaders() {
        return $this->response->getHeaders();
    }

    public function getBodyAsJson() {
        return json_decode($this->response->getBody()->__toString());
    }
    // I will leave the remaining methods of the Psr\Http\Message\ResponseInterface for you to look up.
}

可以在此处此处找到有关 ResponseInterface 的信息

您不会将它附加到客户端,而是将中间件附加到堆栈处理程序。

$stack->push(GuzzleHttp\Middleware::mapResponse(function Psr\Http\Message\ResponseInterface $response) {
    return new JsonResponse($response);  
});

可以在此处找到有关 Guzzle 中间件的更多信息。

于 2015-10-21T22:40:18.940 回答