2014-07-17 58 views
4

我有3個Web服務爲我的酒店預訂引擎提供數據。如果我按順序運行它會花費太長時間。所以我想用線程來運行它們。但不知道如果PHP線程將支持這一點,如果它的安全(因爲所有3個進程將處理Web服務將讀寫共享表)如何使用PHP併發地從多個Web服務中獲取數據?

任何人都可以告訴我,我應該怎麼做?

+0

http://php.net/manual/en/class.thre ad.php – verisimilitude

+0

http://stackoverflow.com/a/7681663/1868660 –

回答

0

如果AJAX使用AJAX調用Web服務.. 由於ajax是一個異步任務,因此您可以異步調用該服務並在成功函數中寫入更多進程或代碼。

您可以使用Ajax這樣的:

$.ajax({ 
    type: "GET", // insert type 
    dataType: "jsonp", 
    url: "http://address/to/your/web/service", 
    success: function(data){   
    alert(data); 
    } 
}); 

請參考Here獲取更多信息。

1

我一般用下面的函數來Simultaneuos HTTP請求發送到Web服務

<?php 

function multiRequest($data, $options = array()) { 

    // array of curl handles 
    $curly = array(); 
    // data to be returned 
    $result = array(); 

    // multi handle 
    $mh = curl_multi_init(); 

    // loop through $data and create curl handles 
    // then add them to the multi-handle 
    foreach ($data as $id => $d) { 

    $curly[$id] = curl_init(); 

    $url = (is_array($d) && !empty($d['url'])) ? $d['url'] : $d; 
    curl_setopt($curly[$id], CURLOPT_URL,   $url); 
    curl_setopt($curly[$id], CURLOPT_HEADER,   0); 
    curl_setopt($curly[$id], CURLOPT_RETURNTRANSFER, 1); 

    // post? 
    if (is_array($d)) { 
     if (!empty($d['post'])) { 
     curl_setopt($curly[$id], CURLOPT_POST,  1); 
     curl_setopt($curly[$id], CURLOPT_POSTFIELDS, $d['post']); 
     } 
    } 

    // extra options? 
    if (!empty($options)) { 
     curl_setopt_array($curly[$id], $options); 
    } 

    curl_multi_add_handle($mh, $curly[$id]); 
    } 

    // execute the handles 
    $running = null; 
    do { 
    curl_multi_exec($mh, $running); 
    } while($running > 0); 


    // get content and remove handles 
    foreach($curly as $id => $c) { 
    $result[$id] = curl_multi_getcontent($c); 
    curl_multi_remove_handle($mh, $c); 
    } 

    // all done 
    curl_multi_close($mh); 

    return $result; 
} 

?> 

我用

<?php 

$data = array(
    'http://search.yahooapis.com/VideoSearchService/V1/videoSearch?appid=YahooDemo&query=Pearl+Jam&output=json', 
    'http://search.yahooapis.com/ImageSearchService/V1/imageSearch?appid=YahooDemo&query=Pearl+Jam&output=json', 
    'http://search.yahooapis.com/AudioSearchService/V1/artistSearch?appid=YahooDemo&artist=Pearl+Jam&output=json' 
); 
$r = multiRequest($data); 

echo '<pre>'; 
print_r($r); 

?> 

希望能使用Web服務這可以幫助您:)

還要檢查該答案here

相關問題