php 透過 JSON RPC 與 golang 通訊

my38778570發表於2023-01-12

此方法為解決php處理計算密集型需求。

go 服務

package main

import (
    "fmt"
    "log"
    "net"
    "net/rpc"
    "net/rpc/jsonrpc"
)

type Calc struct{}

type Args struct {
    A  float64 `json:"a"`
    B  float64 `json:"b"`
    Op string  `json:"op"`
}

type Reply struct {
    Msg  string  `json:"msg"`
    Data float64 `json:"data"`
}


// 第一個是引數是獲取客戶端傳來的資料,第二個引數是返回的資料

func (c *Calc) Compute(args Args, reply *Reply) error {
    var (
        msg string = "ok"
    )

    switch args.Op {
    case "+":
        reply.Data = args.A + args.B
    case "-":
        reply.Data = args.A - args.B
    case "*":
        reply.Data = args.A * args.B
    case "/":
        if args.B == 0 {
            msg = "in divide op, B can't be zero"
        } else {
            reply.Data = args.A / args.B
        }
    default:
        msg = fmt.Sprintf("unsupported op:%s", args.Op)
    }
    reply.Msg = msg

    if reply.Msg == "ok" {
        return nil
    }
    return fmt.Errorf(msg)
}


// 啟動server端
func main() {
    err := rpc.Register(new(Calc))

    if err != nil {
        panic(err)
    }

    listener, err := net.Listen("tcp", "0.0.0.0:8181")
    if err != nil {
        panic(err)
    }

    for {
        conn, err := listener.Accept()

        if err != nil {
            log.Println(err)
            continue
        }

        go jsonrpc.ServeConn(conn)
    }
}

php 客戶端

public function Call($method, $params) {
        $this->conn = fsockopen('127.0.0.1', 8181, $errno, $errstr, 3);
        if (!$this->conn) {
            return false;
        }
        $err = fwrite($this->conn, json_encode(array(
                'method' => $method,
                'params' => array($params),
                'id'     => 12345,
            ))."\n");
        if ($err === false)
            return false;
        stream_set_timeout($this->conn, 0, 3000);
        $line = fgets($this->conn);
        if ($line === false) {
            return NULL;
        }
        return json_decode($line,true);
    }


    public function Test() {
        //訪問結構體 Calc 下 Compute 方法
        $res = $this->Call("Calc.Compute",array('A'=>1,'B'=>2,'Op'=>'+'));
        return $res;
    }

返回結果

{
    "id": 12345,
    "result": {
        "msg": "ok",
        "data": 3
    },
    "error": null
}

轉載的,歡迎留言交流~
PHP pfsockopen 網路函式
原文連結:blog.csdn.net/weixin_41112414/arti...

本作品採用《CC 協議》,轉載必須註明作者和本文連結

相關文章