4

我正在制作一个命令行应用程序。执行登录程序后,我需要同时通过 cURL 发送多个 POST 请求 - 这意味着传出请求必须发送会话 ID 等。

事件链如下:

  1. 我用 curl_init 打开 cURL 连接
  2. 我登录到使用 curl_exec 发送 POST 请求的远程站点并获得返回的 HTML 代码作为响应
  3. 我同时向同一个站点发送多个 POST 请求。

我正在考虑使用类似的东西:

// Init connection

$ch = curl_init();

// Set curl options

curl_setopt($ch, CURLOPT_COOKIEJAR, 'cookies.txt');
curl_setopt($ch, CURLOPT_COOKIEFILE, 'cookies.txt');
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
curl_setopt($ch, CURLOPT_POST, 1);

// Perform login

curl_setopt($ch, CURLOPT_URL, "http://www.mysite/login.php");
$post = array('username' => 'username' , 'password' => 'password');
curl_setopt($ch, CURLOPT_POSTFIELDS, http_build_query($post));
$result = curl_exec($ch);

// Send multiple requests after being logged on

curl_setopt($ch, CURLOPT_TIMEOUT_MS, 1);

for($i = 0 ; $i < 10 ; $i++){
    $post = array('myvar' => 'changing_value');
    curl_setopt($ch, CURLOPT_URL, 'www.myweb.ee/changing_url');
    curl_setopt($ch, CURLOPT_POSTFIELDS, http_build_query($post));
    curl_exec($ch);
}

但这似乎不起作用,因为似乎只发送了循环中的第一个请求。

使用curl_multi_init可能是一种解决方案,但我不知道我是否可以多次传递相同的 cURL 句柄并更改每个选项。

对于这些同时请求,我不需要服务器的任何响应,但如果它也可以以某种方式完成,那就太棒了。

如果有人可以将我推向正确的方向,那将是完美的。

4

2 回答 2

6

您需要为每个请求创建一个新的 curl 句柄,然后使用http://www.php.net/manual/en/function.curl-multi-add-handle.php注册它

这是我从我的代码库中提取并改编的一些代码,请记住,您应该在其中添加错误检查。

function CreateHandle($url , $data) {
    $curlHandle = curl_init($url);

    $defaultOptions = array (
        CURLOPT_COOKIEJAR => 'cookies.txt' ,
        CURLOPT_COOKIEFILE => 'cookies.txt' ,

        CURLOPT_ENCODING => "gzip" ,
        CURLOPT_FOLLOWLOCATION => true ,
        CURLOPT_RETURNTRANSFER => true ,
        CURLOPT_POST => 1,
        CURLOPT_POSTFIELDS => $data
    );

    curl_setopt_array($curlHandle , $defaultOptions);

    return $curlHandle;
}

function MultiRequests($urls , $data) {
    $curlMultiHandle = curl_multi_init();

    $curlHandles = array();
    $responses = array();

    foreach($urls as $id => $url) {
        $curlHandles[$id] = CreateHandle($url , $data[$id]);
        curl_multi_add_handle($curlMultiHandle, $curlHandles[$id]);
    }

    $running = null;
    do {
        curl_multi_exec($curlMultiHandle, $running);
    } while($running > 0);

    foreach($curlHandles as $id => $handle) {
        $responses[$id] = curl_multi_getcontent($handle);
        curl_multi_remove_handle($curlMultiHandle, $handle);
    }
    curl_multi_close($curlMultiHandle);

    return $responses;
}
于 2012-10-11T13:21:18.860 回答
2

有一个更快、更有效的选择……根本不需要你使用任何 curl ……

http://uk3.php.net/manual/en/book.pthreads.php http://pthreads.org

请参阅 github 获取最新源代码,pecl 上的发布......

我会这么说,file_get_contents 可能看起来很吸引人,但是 PHP 从来没有被设计为以这种方式运行线程,它的套接字层等不考虑消耗你可能会发现最好在少量读取之间打开和休眠以节省 CPU 使用率...无论您做什么都会好得多...以及如何做取决于您要投入什么样的资源来完成任务...

于 2012-10-11T16:23:45.717 回答