分析PHP如何快速创建RPC服务(代码演示)
本文给大家介绍什么是RPC,怎么用PHP简单快速的创建一个RPC服务,其实很简单哦,一起来看看吧~希望对需要的朋友有所帮助~
php入门到就业线上直播课:进入学习
Apipost = Postman + Swagger + Mock + Jmeter 超好用的API调试工具:点击使用
RPC全称为Remote Procedure Call,翻译过来为"远程过程调用"。主要应用于不同的系统之间的远程通信和相互调用。【推荐学习:PHP视频教程】
比如有两个系统,一个是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} "); } //判断我们的RPC服务目录是否存在 $realPath = realpath(__DIR__ . $path); if ($realPath === false || !file_exists($realPath)) { exit("{$path} error "); } while (true) { $client = stream_socket_accept($this->serv); if ($client) { //这里为了简单,我们一次性读取 $buf = fread($client, 2048); //解析客户端发送过来的协议 $classRet = preg_match('/Rpc-Class:s(.*); /i', $buf, $class); $methodRet = preg_match('/Rpc-Method:s(.*); /i', $buf, $method); $paramsRet = preg_match('/Rpc-Params:s(.*); /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');
登录后复制