php入門到就業線上直播課:進入學習
Apipost = Postman + Swagger + Mock + Jmeter 超好用的API偵錯工具:
RPC全稱為Remote Procedure Call,翻譯過來為"遠端過程呼叫"。主要應用於不同的系統之間的遠端通訊和相互呼叫。【推薦學習:】
比如有兩個系統,一個是PHP寫的,一個是JAVA寫的,而PHP想要呼叫JAVA中的某個類的某個方法,這時候就需要用到RPC了。
怎麼調?直接調是不可能,只能是PHP通過某種自定義協定請求JAVA的服務,JAVA解析該協定,在本地範例化類並呼叫方法,然後把結果返回給PHP。
這裡我們用PHP的socket擴充套件來建立一個伺服器端和使用者端,演示呼叫過程。
RpcServer.php程式碼如下:
<?php
class RpcServer {
protected $serv = null;
public function __construct($host, $port, $path) {
//建立一個tcp socket服務
$this->serv = stream_socket_server("tcp://{$host}:{$port}", $errno, $errstr);
if (!$this->serv) {
exit("{$errno} : {$errstr} \n");
}
//判斷我們的RPC服務目錄是否存在
$realPath = realpath(__DIR__ . $path);
if ($realPath === false || !file_exists($realPath)) {
exit("{$path} error \n");
}
while (true) {
$client = stream_socket_accept($this->serv);
if ($client) {
//這裡為了簡單,我們一次性讀取
$buf = fread($client, 2048);
//解析使用者端傳送過來的協定
$classRet = preg_match('/Rpc-Class:\s(.*);\r\n/i', $buf, $class);
$methodRet = preg_match('/Rpc-Method:\s(.*);\r\n/i', $buf, $method);
$paramsRet = preg_match('/Rpc-Params:\s(.*);\r\n/i', $buf, $params);
if($classRet && $methodRet) {
$class = ucfirst($class[1]);
$file = $realPath . '/' . $class . '.php';
//判斷檔案是否存在,如果有,則引入檔案
if(file_exists($file)) {
require_once $file;
//範例化類,並呼叫使用者端指定的方法
$obj = new $class();
//如果有引數,則傳入指定引數
if(!$paramsRet) {
$data = $obj->$method[1]();
} else {
$data = $obj->$method[1](json_decode($params[1], true));
}
//把執行後的結果返回給使用者端
fwrite($client, $data);
}
} else {
fwrite($client, 'class or method error');
}
//關閉使用者端
fclose($client);
}
}
}
public function __destruct() {
fclose($this->serv);
}
}
new RpcServer('127.0.0.1', 8888, './service');
登入後複製
RpcClient.php程式碼如下:
<?php
class RpcClient {
protected $urlInfo = array();
public function __construct($url) {
//解析URL
$this->urlInfo = parse_url($url);
if(!$this->urlInfo) {
exit("{$url} error \n");
}
}
public function __call($method, $params) {
//建立一個使用者端
$client = stream_socket_client("tcp://{$this->urlInfo['host']}:{$this->urlInfo['port']}", $errno, $errstr);
if (!$client) {
exit("{$errno} : {$errstr} \n");
}
//傳遞呼叫的類名
$class = basename($this->urlInfo['path']);
$proto = "Rpc-Class: {$class};" . PHP_EOL;
//傳遞呼叫的方法名
$proto .= "Rpc-Method: {$method};" . PHP_EOL;
//傳遞方法的引數
$params = json_encode($params);
$proto .= "Rpc-Params: {$params};" . PHP_EOL;
//向伺服器端傳送我們自定義的協定資料
fwrite($client, $proto);
//讀取伺服器端傳來的資料
$data = fread($client, 2048);
//關閉使用者端
fclose($client);
return $data;
}
}
$cli = new RpcClient('http://127.0.0.1:8888/test');
echo $cli->hehe();
echo $cli->hehe2(array('name' => 'test', 'age' => 27));
登入後複製
然後分別執行上面兩個指令碼(注意,php要新增環境變數)
> php RpcServer.php
> php RpcClient.php
登入後複製
結果如下:
Test.php程式碼如下:
<?php
class Test {
public function hehe() {
return 'hehe';
}
public function hehe2($params) {
return json_encode($params);
}
}
登入後複製
目錄結構如下:
上面我們自定義的協定,可以隨意修改,只要是使用者端和伺服器端兩邊能夠統一併能解析。
使用者端通過請求伺服器端,把要呼叫的類,方法和引數傳遞給伺服器端,伺服器端去通過範例化呼叫方法返回結果。
以上就是分析PHP如何快速建立RPC服務(程式碼演示)的詳細內容,更多請關注TW511.COM其它相關文章!