這篇文章要跟大家分享的內容是關於php多執行緒php fsockopen解決辦法,有著一定的參考價值,有需要的朋友可以參考一下
##問題:有沒有辦法在php中實作多執行緒呢?
可以實現嗎?
回答:
threads,但是當他們發現php不支援多執行緒的時候,大概會轉換思路去用一些不夠好的語言,像是perl。
$hosts = array("host1.sample.com", "host2.sample.com", "host3.sample.com"); $timeout = 15; $status = array(); foreach ($hosts as $host) { $errno = 0; $errstr = ""; $s = fsockopen($host, 80, $errno, $errstr, $timeout); if ($s) { $status[$host] = "Connectedn"; fwrite($s, "HEAD / HTTP/1.0rnHost: $hostrnrn"); do { $data = fread($s, 8192); if (strlen($data) == 0) { break; } $status[$host] .= $data; } while (true); fclose($s); } else { $status[$host] = "Connection failed: $errno $errstrn"; } } print_r($status);
因此我們必須放棄這段程式碼;我們可以建立非同步連線-不需要等待fsockopen返回連線狀態。 PHP仍然需要解析hostname(所以直接使用ip更明智),但在開啟一個連線之後會立刻返回,然後我們就可以連接下一台伺服器。
有兩種方法可以實現;PHP5中可以使用新增的stream_socket_client()函數直接取代掉fsocketopen()。 PHP5之前的版本,你需要自己動手,用sockets擴充解決問題。
$hosts = array("host1.sample.com", "host2.sample.com", "host3.sample.com"); $timeout = 15; $status = array(); $sockets = array(); foreach ($hosts as $id => $host) { $s = stream_socket_client("$host:80", $errno, $errstr, $timeout,STREAM_CLIENT_ASYNC_CONNECT|STREAM_CLIENT_CONNECT); if ($s) { $sockets[$id] = $s; $status[$id] = "in progress"; } else { $status[$id] = "failed, $errno $errstr"; } } while (count($sockets)) { $read = $write = $sockets; $n = stream_select($read, $write, $e = null, $timeout); if ($n > 0) { foreach ($read as $r) { $id = array_search($r, $sockets); $data = fread($r, 8192); if (strlen($data) == 0) { if ($status[$id] == "in progress") { $status[$id] = "failed to connect"; } fclose($r); unset($sockets[$id]); } else { $status[$id] .= $data; } } foreach ($write as $w) { $id = array_search($w, $sockets); fwrite($w, "HEAD / HTTP/1.0rnHost: " . $hosts[$id] . "rnrn"); $status[$id] = "waiting for response"; } } else { foreach ($sockets as $id => $s) { $status[$id] = "timed out " . $status[$id]; } break; } } foreach ($hosts as $id => $host) { echo "Host: $hostn"; echo "Status: " . $status[$id] . "nn"; }
stream_socket_client()來建立連接:
// This value is correct for Linux, other systems have other values define('EINPROGRESS', 115); function non_blocking_connect($host, $port, &$errno, &$errstr, $timeout) { $ip = gethostbyname($host); $s = socket_create(AF_INET, SOCK_STREAM, 0); if (socket_set_nonblock($s)) { $r = @socket_connect($s, $ip, $port); if ($r || socket_last_error() == EINPROGRESS) { $errno = EINPROGRESS; return $s; } } $errno = socket_last_error($s); $errstr = socket_strerror($errno); socket_close($s); return false; }
現在用socket_select()替換掉stream_select (),用socket_read()替換掉fread(),用
socket_write()替換掉fwrite(),用socket_close()替換掉fclose()就可以執行腳本了!
PHP5的先進之處在於,你可以用stream_select()處理幾乎所有的stream-例如你可以透過include
STDIN用它接收鍵盤輸入並保存進數組,你還可以接收透過proc_open()打開的管道中的數據。
如果你想讓PHP4.3.x本身擁有處理streams的功能,我已經為你準備了一個讓fsockopen可以非同步工作的patch。不贊成使用該補丁,該補丁不會出現在官方發布的PHP版本中,我在補丁中附帶了stream_socket_client()函數的實現,通過它,你可以讓你的腳本兼容
PHP5。
以上是php多執行緒php fsockopen解決方法的詳細內容。更多資訊請關注PHP中文網其他相關文章!