Python远程方法调用实现过程解析
作者:Mars.wang 时间:2022-12-24 01:26:45
RPCHandler 和 R * roxy 的基本思路是很比较简单的。 如果一个客户端想要调用一个远程函数,比如 foo(1, 2, z=3) ,代理类创建一个包含了函数名和参数的元组 (‘foo', (1, 2), {‘z': 3}) 。 这个元组被pickle序列化后通过网络连接发生出去。 这一步在 R * roxy 的 getattr() 方法返回的 do_rpc() 闭包中完成。
服务器接收后通过pickle反序列化消息,查找函数名看看是否已经注册过,然后执行相应的函数。 执行结果(或异常)被pickle序列化后返回发送给客户端。实例需要依赖 multiprocessing 进行通信。 不过,这种方式可以适用于其他任何消息系统。例如,如果你想在ZeroMQ之上实习RPC, 仅仅只需要将连接对象换成合适的ZeroMQ的socket对象即可。
先实现server端
import json
from multiprocessing.connection import Listener
from threading import Thread
class RPCHandler:
def __init__(self):
self._functions = {}
def register_function(self, func):
self._functions[func.__name__] = func
def handle_connection(self, connection):
try:
while True:
func_name, args, kwargs = json.loads(connection.recv())
# Run the RPC and send a response
try:
r = self._functions[func_name](*args, **kwargs)
connection.send(json.dumps(r))
except Exception as e:
connection.send(json.dumps(e))
except EOFError:
pass
def rpc_server(handler, address, authkey):
sock = Listener(address, authkey=authkey)
while True:
client = sock.accept()
t = Thread(target=handler.handle_connection, args=(client,))
t.daemon = True
t.start()
# Some remote functions
def add(x,y):
return x+y
if __name__ == '__main__':
handler = RPCHandler()
handler.register_function(add)
# Run the server
rpc_server(handler, ('127.0.0.1', 17000), authkey=b'peekaboo')
再实现client端
import json
from multiprocessing.connection import Client
class R * roxy:
def __init__(self, connection):
self._connection = connection
def __getattr__(self, name):
def do_rpc(*args, **kwargs):
self._connection.send(json.dumps((name, args, kwargs)))
result = json.loads(self._connection.recv())
if isinstance(result, Exception):
raise result
return result
return do_rpc
if __name__ == '__main__':
c = Client(('127.0.0.1', 17000), authkey=b'peekaboo')
proxy = R * roxy(c)
res = proxy.add(2, 3)
print(res)
来源:https://www.cnblogs.com/wangbin2188/p/13177065.html
标签:Python,远程,方法,调用
0
投稿
猜你喜欢
SQL Server SA权限最新入侵方法
2009-03-25 16:56:00
Python爬虫练习汇总
2023-04-27 03:16:37
Python 获取主机ip与hostname的方法
2021-05-13 09:30:30
设计的技术含量
2009-01-12 18:20:00
Django缓存系统实现过程解析
2021-07-22 23:18:09
python日志logging模块使用方法分析
2023-01-06 17:22:51
Python实现简单的学生信息管理系统
2021-06-19 10:59:44
Python常用工具之音频调整音量
2023-10-29 03:15:33
windows下Python安装、使用教程和Notepad++的使用教程
2023-04-21 09:31:39
Python解压 rar、zip、tar文件的方法
2023-07-22 10:51:38
基于python指定包的安装路径方法
2023-06-04 03:10:02
Python实现哲学家就餐问题实例代码
2022-09-20 14:10:49
CentOS 7.4下安装Oracle 11.2.0.4数据库的方法
2024-01-24 20:36:20
如何编写一个过滤掉HTML代码的函数?
2009-11-08 18:53:00
Python selenium根据class定位页面元素的方法
2021-04-03 08:17:39
浅谈Pytorch中的torch.gather函数的含义
2022-12-26 02:25:54
display:inline问题小结
2008-05-01 13:08:00
Python实现将数据写入netCDF4中的方法示例
2023-12-30 15:51:18
利用Anaconda简单安装scrapy框架的方法
2021-05-28 15:47:13
MySQL实现分布式锁
2024-01-25 19:31:03