如何在Guzzle中获取Request对象?

时间:2017-03-12 03:24:15

标签: php guzzle

我需要使用Guzzle检查我的数据库中的很多项目。例如,项目数量为2000-5000。将它全部加载到一个数组中太多了,所以我想把它分块:SELECT * FROM items LIMIT 100.当最后一项被发送到Guzzle时,接下来要求下100个项目。在'履行''处理程序我应该知道哪个项目得到了响应。我看到我们这里有$ index,它指向当前项目的数量。但我没有访问范围,其中$ items变量可见。无论如何,如果我甚至通过use($ items)访问它,那么在循环的第二遍中我得到错误的索引,因为$ items数组中的索引将从0开始,而$ index将是> 100。所以,这种方法不起作用。

    $client = new Client();
    $iterator = function() {
         while($items = getSomeItemsFromDb(100)) {
              foreach($items as $item) {
                   echo "Start item #{$item['id']}";
                   yield new Request('GET', $item['url']);
              }
         }
    };

    $pool = new Pool($client, $iterator(), [
        'concurrency' => 20,
        'fulfilled' => function (ResponseInterface $response, $index) {
            // how to get $item['id'] here?
        },
        'rejected' => function (RequestException $reason, $index) {
            call_user_func($this->error_handler, $reason, $index);
        }
    ]);

    $promise = $pool->promise();
    $promise->wait();

我想如果我可以做一些像

这样的事情
$request = new Request('GET', $item['url']);
$request->item = $item;

然后在'履行'处理程序只是为了从$ response获得$ request - 这将是理想的。但正如我所看到的,没有办法像$ response-> getRequest()那样做。 关于如何解决这个问题的任何建议?

1 个答案:

答案 0 :(得分:3)

不幸的是,在Guzzle中无法获得请求。有关详细信息,请参阅响应创建。

但是你可以返回一个不同的promise并使用each_limit()而不是Pool(池内部只是EachPromise的包装器)。它是更通用的解决方案,适用于任何类型的承诺。

另请查看another example of EachPromise usage for concurrent HTTP request

$client = new Client();
$iterator = function () use ($client) {
    while ($items = getSomeItemsFromDb(100)) {
        foreach ($items as $item) {
            echo "Start item #{$item['id']}";
            yield $client
                ->sendAsync(new Request('GET', $item['url']))
                ->then(function (ResponseInterface $response) use ($item) {
                    return [$item['id'], $response];
                });
        }
    }
};

$promise = \GuzzleHttp\Promise\each_limit(
    $iterator(),
    20,
    function ($result, $index) {
        list($itemId, $response) = $result;

        // ...
    },
    function (RequestException $reason, $index) {
        call_user_func($this->error_handler, $reason, $index);
    }
);

$promise->wait();