grpc(3):使用 golang 開發 grpc 服務端和client
1,關於grpc-go
golang 能夠能夠做grpc的服務端和client。
官網的文檔:
http://www.grpc.io/docs/quickstart/go.html
https://github.com/grpc/grpc-go
和之前寫的java的grpcclient調用同樣。也須要使用protobuf的配置文件。
可是golang以下的類庫很的簡單。並且golang的性能也很強悍呢。
有些簡單的業務邏輯真的能夠使用golang進行開發。
性能強悍並且。消耗的資源也很小。
java感覺上已經很的臃腫了。
項目已經上傳到github上面了。
https://github.com/freewebsys/grpc-go-demo
2,生成代碼
定義proto文件:
syntax = "proto3";
package helloworld;
// The greeting service definition.
service Greeter {
// Sends a greeting
rpc SayHello (HelloRequest) returns (HelloReply) {}
}
// The request message containing the user‘s name.
message HelloRequest {
string name = 1;
}
// The response message containing the greetings
message HelloReply {
string message = 1;
}
3,生成代碼,服務端,client調用
cd src/helloworld
protoc -I ./ helloworld.proto –go_out=plugins=grpc:.
會生成一個go的helloworld.pb.go 文件。裏面包含了grpc的遠程調用和protobuf的序列化。
server.go
package main
import (
"log"
"net"
"golang.org/x/net/context"
"google.golang.org/grpc"
pb "github.com/freewebsys/grpc-go-demo/src/helloworld"
"google.golang.org/grpc/reflection"
"fmt"
)
const (
port = ":50051"
)
// server is used to implement helloworld.GreeterServer.
type server struct{}
// SayHello implements helloworld.GreeterServer
func (s *server) SayHello(ctx context.Context, in *pb.HelloRequest) (*pb.HelloReply, error) {
fmt.Println("######### get client request name :"+in.Name)
return &pb.HelloReply{Message: "Hello " + in.Name}, nil
}
func main() {
lis, err := net.Listen("tcp", port)
if err != nil {
log.Fatalf("failed to listen: %v", err)
}
s := grpc.NewServer()
pb.RegisterGreeterServer(s, &server{})
// Register reflection service on gRPC server.
reflection.Register(s)
if err := s.Serve(lis); err != nil {
log.Fatalf("failed to serve: %v", err)
}
}
client.go
package main
import (
"log"
"os"
"golang.org/x/net/context"
"google.golang.org/grpc"
pb "github.com/freewebsys/grpc-go-demo/src/helloworld"
)
const (
address = "localhost:50051"
defaultName = "world"
)
func main() {
// Set up a connection to the server.
conn, err := grpc.Dial(address, grpc.WithInsecure())
if err != nil {
log.Fatalf("did not connect: %v", err)
}
defer conn.Close()
c := pb.NewGreeterClient(conn)
// Contact the server and print out its response.
name := defaultName
if len(os.Args) > 1 {
name = os.Args[1]
}
r, err := c.SayHello(context.Background(), &pb.HelloRequest{Name: name})
if err != nil {
log.Fatalf("could not greet: %v", err)
}
log.Printf("####### get server Greeting response: %s", r.Message)
}
4,執行服務端&client代碼
go run server/main.go
go run clinet/main.go
同一時候,能夠使用java的client和服務端 <<===>> go的服務端client
相互調用。
5,總結
本文的原文連接是: http://blog.csdn.net/freewebsys/article/details/59483427 未經博主同意不得轉載。
博主地址是:http://blog.csdn.net/freewebsys
grpc 服務的遠程調用還是很的簡單的。
可是這個僅僅是一個helloworld ,真正要在企業內部使用的時候還須要一個註冊中心。
管理全部的服務。
初步計劃使用 consul 存儲數據。
由於consul 上面集成了許多的好東西。還有個簡單的可視化的界面。
比etcd功能多些。
可是性能上面差一點。只是也很強悍了。
企業內部使用的註冊中心。已經足夠了。
grpc(3):使用 golang 開發 grpc 服務端和client