3

有没有办法使用 guzzle 6 将 form_params 全局添加到所有请求中?

例如:

$client = new \GuzzleHttp\Client([
    'global_form_params' => [ // This isn't a real parameter 
        'XDEBUG_SESSION_START' => '11845',
        'user_token' => '12345abc',
    ]
]);

$client->post('/some/web/api', [
    'form_params' => [
        'some_parameter' => 'some value'
    ]
]);

在我的理想世界中,post将有 array_merge-ingglobal_form_params和的结果form_params

[
    'XDEBUG_SESSION_START' => '11845',
    'user_token' => '12345abc',
    'some_parameter' => 'some value',
]

我可以看到也想要这样的query东西json

4

1 回答 1

3

根据创建客户端,您可以设置“任意数量的默认请求选项”并在GuzzleHttp\Client Source Code

$client = new Client['form_params' => [form values],]);

会将您的 form_params 应用于每个请求。

由于在Client::applyOptionsContent-Type中更改了标头,这可能会导致 GET 请求出现问题。它最终将取决于服务器配置。

如果您的意图是让客户端同时发出 GET 和 POST 请求,那么将 form_params 移动到中间件可能会更好。例如:

$stack->push(\GuzzleHttp\Middleware::mapRequest(function (RequestInterface $request) {
    if ('POST' !== $request->getMethod()) {
        // pass the request on through the middleware stack as-is
        return $request;
    }

    // add the form-params to all post requests.
    return new GuzzleHttp\Psr7\Request(
        $request->getMethod(),
        $request->getUri(),
        $request->getHeaders() + ['Content-Type' => 'application/x-www-form-urlencoded'],
        GuzzleHttp\Psr7\stream_for($request->getBody() . '&' . http_build_query($default_params_array)),
        $request->getProtocolVersion()
    );  
});
于 2015-09-23T17:53:41.883 回答