Bootstrap

(done) 什么 RPC 协议? remote procedure call 远程调用协议

来源:https://www.bilibili.com/video/BV1Qv4y127B4/?spm_id_from=333.337.search-card.all.click&vd_source=7a1a0bc74158c6993c7355c5490fc600


可以理解为,调用远程服务器上的一个方法/函数/服务的方式,同时隐藏网络细节

一个 python3 的 RPC 例子如下 (服务端和客户端都在本地) :

服务端:

from xmlrpc.server import SimpleXMLRPCServer

class calculate:
    def add(self, x, y):
        return x + y

    def multiply(self, x, y):
        return x * y

    def subtract(self, x, y):
        return abs(x-y)

    def divide(self, x, y):
        return x/y


obj = calculate()
server = SimpleXMLRPCServer(("localhost", 8088))
# 将实例注册给rpc server
server.register_instance(obj)

print("Listening on port 8088")
server.serve_forever()

客户端:

from xmlrpc import client

server = client.ServerProxy("http://localhost:8088")

>> server.add(2, 3)
5
>>> server.multiply(2, 3)
6
>>> server.subtract(2, 3)
1
>>> server.divide(2, 3)
0

如果要让服务端和客户端在两个不同的机器上的话,服务端的这行代码

server = SimpleXMLRPCServer(("localhost", 8088))

得写成:

server = SimpleXMLRPCServer(("serverIP", 8088))

客户端的这行代码

server = client.ServerProxy("http://localhost:8088")

得写成

server = client.ServerProxy("http://serverIP:8088")

;