(PHP 5)
curl_multi_init — Gibt einen cURL-Multi-Handle zurück
Erlaubt die parallele Verarbeitung mehrerer cURL-Handles.
Ein von curl_multi_init() zurückgegebenes cURL-Multihandle.
Gibt im Erfolgsfall ein cURL-Handle zurück, andernfalls FALSE.
Beispiel #1 curl_multi_init()-Beispiel
In diesem Beispiel werden zwei cURL-Handles erstellt, einem Mehrfach-Handle hinzugefügt und anschließend parallel ausgeführt.
<?php
// zwei cURL Resourcen erstellen
$ch1 = curl_init();
$ch2 = curl_init();
// URL und weitere Optionen setzen
curl_setopt($ch1, CURLOPT_URL, "http://www.example.com/");
curl_setopt($ch1, CURLOPT_HEADER, 0);
curl_setopt($ch2, CURLOPT_URL, "http://www.php.net/");
curl_setopt($ch2, CURLOPT_HEADER, 0);
// Mehrfach-Handle erstellen
$mh = curl_multi_init();
// die zuvor erstellten Handles hinzufügen
curl_multi_add_handle($mh,$ch1);
curl_multi_add_handle($mh,$ch2);
$running=null;
// Handles ausführen
do {
usleep(10000);
curl_multi_exec($mh,$running);
} while ($running > 0);
// Handles schliessen
curl_multi_remove_handle($mh, $ch1);
curl_multi_remove_handle($mh, $ch2);
curl_multi_close($mh);
?>
http://github.com/jmathai/epicode/tree/master/php/EpiCurl.php
If you fire off 10 curl requests in parallel you don't have to wait for all of them to be finished before accessing one which is already finished.
In the example above, rather than busy looping, curl_multi_select() should be used. The call isn't adequately described in the php documentation, so you need to look at the libcurl-multi man page. curl_multi_fdset() on this page is curl_multi_select() here, and curl_multi_perform() is curl_multi_exec() here. Read on and write better code.
It's not good to use plain while cycle like in the example because you are going to consume all the cpu time just by checking if you are not done. E.g. using usleep(50) in the middle of while could solve that gracefully...
In the example shown, the calls to curl_multi_remove_handle() should include the resource as the first parameter:
curl_multi_remove_handle($mh, $ch1);
curl_multi_remove_handle($mh, $ch2);