Go 中基于 HTTP 的 JSONRPC

JSONRPC over HTTP in Go

如何在 Go 中基于 this specification 使用 JSON-RPC over HTTP?

Go 在 net/rpc/jsonrpc 中提供了 JSON-RPC 编解码器,但此编解码器使用网络连接作为输入,因此您不能将其与 go RPC HTTP 处理程序一起使用。我附上使用 TCP 的示例代码 JSON-RPC:

func main() {
    cal := new(Calculator)
    server := rpc.NewServer()
    server.Register(cal)
    listener, e := net.Listen("tcp", ":1234")
    if e != nil {
        log.Fatal("listen error:", e)
    }
    for {
        if conn, err := listener.Accept(); err != nil {
            log.Fatal("accept error: " + err.Error())
        } else {
            log.Printf("new connection established\n")
            go server.ServeCodec(jsonrpc.NewServerCodec(conn))
        }
    }
}

内置的 RPC HTTP 处理程序在被劫持的 HTTP 连接上使用 gob 编解码器。以下是对 JSONRPC 执行相同操作的方法。

编写一个 HTTP 处理程序来运行带有劫持连接的 JSONRPC 服务器。

func serveJSONRPC(w http.ResponseWriter, req *http.Request) {
    if req.Method != "CONNECT" {
        http.Error(w, "method must be connect", 405)
        return
    }
    conn, _, err := w.(http.Hijacker).Hijack()
    if err != nil {
        http.Error(w, "internal server error", 500)
        return
    }
    defer conn.Close()
    io.WriteString(conn, "HTTP/1.0 Connected\r\n\r\n")
    jsonrpc.ServeConn(conn)
}

向 HTTP 服务器注册此处理程序。例如:

 http.HandleFunc("/rpcendpoint", serveJSONRPC)

编辑:OP 此后更新了问题,明确表示他们想要 GET/POST 而不是连接。