RPC
(Remote Procedure Call),远程过程调用。是一种进程间通信技术,允许程序像调用本地方法一样调用远程服务。
RPC
屏蔽了数据打包、网络通信的细节,使得使用者只需要关注于服务调用,而服务调用又像调用本地方法一样自然。
PHP有个Yar
扩展,提供了RPC
服务端和客户端的功能。
$ pecl install yar
稍候片刻,即可装好。
然后在php.ini
中加入如下一行:
extension=yar.so
目前只需要关注Yar提供的两个类就行了:Yar_Server
和Yar_Client
。
Yar_Server
提供了创建RPC
服务端相关的功能。该类大致如下:
Yar_Server {
/* 属性 */
protected $_executor ;
/* 方法 */
final public __construct (Object $obj)
public boolean handle (void)
}
RPC
服务,该对象的public
方法便可由RPC
客户端调用RPC
服务使用方式如下:
$server = new Yar_Server(new Service());
$server->handle();
Yar_Client
提供了创建RPC
客户端相关的功能。该类大致如下:
Yar_Client {
/* 属性 */
protected $_protocol ;
protected $_uri ;
protected $_options ;
protected $_running ;
/* 方法 */
public void __call (string $method , array $parameters)
final public __construct (string $url)
public boolean setOpt (number $name , mixed $value)
}
RPC
服务端对应的URL使用方式如下:
$client = new Yar_Client("http://....");
$result = $client->someMethod($arg0, $arg1); // 调用RPC服务端中相应对象的 someMethod方法
Yar
扩展的更多介绍见: http://php.net/manual/zh/book.yar.php
下面是一个在PHP框架中使用Yar
创建RPC
服务,然后在脚本中调用的例子。
该类是RPC服务的实际提供者。Service.php
namespace app\agent\lib;
class Service
{
public function __constrict()
{
}
public function add($a, $b)
{
return $a + $b;
}
public function sub($a, $b)
{
return $a - $b;
}
}
用Yar
扩展将上面的Service
类包装成RPC
服务。Rpc.php
namespace app\agent\controller;
use app\agent\lib\Service;
class Rpc extends \think\Controller
{
public function _initialize()
{
parent::_initialize();
}
public function index()
{
$rpcServer = new \Yar_Server(new Service());
$rpcServer->handle();
}
}
该RPC
服务的访问路径是:
http://localhost/agent/rpc/index
用浏览器访问:http://localhost/agent/rpc/index
:
默认情况下配置yar.expose_info
是开着的,安全起见,把它关闭。
yar.expose_info = Off
RPC客户端如下(rpc.php):
$client = new Yar_Client("https://localhost/agent/rpc/index");
try {
$result = $client->add(1, 5); // 调用RPC服务端提供的add方法
echo "result=", $result, PHP_EOL;
} catch (Exception $e) {
echo "Exception: ", $e->getMessage();
}
命令行中运行RPC
客户端:
$ php rpc.php
输出如下:
result=6
说明调用成功。