golang中的net/rpc包使用概述(小结)
程序员文章站
2022-03-21 15:53:30
rpc,即 remote procedure call(远程过程调用),说得通俗一点就是:调用远程计算机上的服务,就像调用本地服务一样。
我的项目是采用基于restful...
rpc,即 remote procedure call(远程过程调用),说得通俗一点就是:调用远程计算机上的服务,就像调用本地服务一样。
我的项目是采用基于restful的微服务架构,随着微服务之间的沟通越来越频繁,消耗的系统资源越来越多,于是乎就希望可以改成用rpc来做内部的通讯,对外依然用restful。于是就想到了golang标准库的rpc包和google的grpc。
这篇文章重点了解一下golang的rpc包。
介绍
golang的rpc支持三个级别的rpc:tcp、http、jsonrpc。但go的rpc包是独一无二的rpc,它和传统的rpc系统不同,它只支持go开发的服务器与客户端之间的交互,因为在内部,它们采用了gob来编码。
go rpc的函数只有符合下面的条件才能被远程访问,不然会被忽略,详细的要求如下:
- 函数必须是导出的(首字母大写)
- 必须有两个导出类型的参数,
- 第一个参数是接收的参数,第二个参数是返回给客- 户端的参数,第二个参数必须是指针类型的
- 函数还要有一个返回值error
举个例子,正确的rpc函数格式如下:
func (t *t) methodname(argtype t1, replytype *t2) error
t、t1和t2类型必须能被encoding/gob包编解码。
示例
举一个http的例子。
下面是http服务器端的代码:
package main import ( "errors" "net" "net/rpc" "log" "net/http" ) type args struct { a, b int } type quotient struct { quo, rem int } type arith int func (t *arith) multiply(args *args, reply *int) error { *reply = args.a * args.b return nil } func (t *arith) divide(args *args, quo *quotient) error { if args.b == 0 { return errors.new("divide by zero") } quo.quo = args.a / args.b quo.rem = args.a % args.b return nil } func main() { arith := new(arith) rpc.register(arith) rpc.handlehttp() l, e := net.listen("tcp", ":1234") if e != nil { log.fatal("listen error:", e) } http.serve(l, nil) }
简单分析一下上面的例子,先实例化了一个arith对象arith,然后给arith注册了rpc服务,然后把rpc挂载到http服务上面,当http服务打开的时候我们就可以通过rpc客户端来调用arith中符合rpc标准的的方法了。
请看客户端的代码:
package main import ( "net/rpc" "log" "fmt" ) type args struct { a, b int } type quotient struct { quo, rem int } func main() { client, err := rpc.dialhttp("tcp", "127.0.0.1:1234") if err != nil { log.fatal("dialing:", err) } // synchronous call args := &args{7,8} var reply int err = client.call("arith.multiply", args, &reply) if err != nil { log.fatal("arith error:", err) } fmt.printf("arith: %d*%d=%d\n", args.a, args.b, reply) // asynchronous call quotient := new(quotient) divcall := client.go("arith.divide", args, quotient, nil) replycall := <-divcall.done // will be equal to divcall if replycall.error != nil { log.fatal("arith error:", replycall.error) } fmt.printf("arith: %d/%d=%d...%d", args.a, args.b, quotient.quo, quotient.rem) // check errors, print, etc. }
简单说明下,先用rpc的dialhttp方法连接服务器端,调用服务器端的函数就要使用call方法了,call方法的参数和返回值已经很清晰的表述出rpc整体的调用逻辑了。
我们把服务器端跑起来,再把客户端跑起来,这时候客户端会输出:
arith: 7*8=56 arith: 7/8=0...7
到此,整个rpc的调用逻辑就完成了。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。