protobuf的基本类型和默认值,python中的小坑

标量数值类型

标量消息字段可以具有以下类型之一——该表显示了。原型文件,以及自动生成类中的对应类型:

默认值

python操作的坑

  1. 目录结构

  2. helloworld.proto
syntax = "proto3";

option go_package = "../proto;";

service Greeter {
rpc SayHello (HelloRequest) returns (HelloReply) {}
} message HelloRequest {
string name = 1;
repeated int32 id = 2;
} message HelloReply {
string message = 1;
}

切换到proto目录下,执行命令 python -m grpc_tools.protoc --python_out=. --grpc_python_out=. -I. helloworld.proto

3. server.py

from concurrent.futures import ThreadPoolExecutor

import grpc

from grpc_hello.proto import helloworld_pb2_grpc, helloworld_pb2

class Greeter(helloworld_pb2_grpc.GreeterServicer):
def SayHello(self, request, context):
return helloworld_pb2.HelloReply(message=f"你好, [name: {request.name}, id: {request.id}]") if __name__ == '__main__':
# 1. 实例化server
server = grpc.server(ThreadPoolExecutor(max_workers=10))
# 2. 注册逻辑到server中
helloworld_pb2_grpc.add_GreeterServicer_to_server(Greeter(), server)
# 3. 运行server
server.add_insecure_port("127.0.0.1:50051")
server.start()
# 主线程等待所有子线程
server.wait_for_termination()
  1. client.py
import grpc

from grpc_hello.proto import helloworld_pb2, helloworld_pb2_grpc

if __name__ == '__main__':
with grpc.insecure_channel("127.0.0.1:50051") as channel:
greeter = helloworld_pb2_grpc.GreeterStub(channel)
# 方法一:
"""
hello_request = helloworld_pb2.HelloRequest(
name="张三",
id=[1, 22, 33],
)
"""
# 方法二:
hello_request = helloworld_pb2.HelloRequest()
hello_request.name = "李四"
# 此处就是python操作时的坑所在,不能直接等于,因为创建实例时已经对id初始化了
hello_request.id.extend([11, 22, 33])
hello_request.id.append(44)
rsp: helloworld_pb2.HelloReply = greeter.SayHello(hello_request) print(rsp.message)

option go_package的作用

option go_package = "../proto;proto";

第一个分号前面的代表生成的pb文件保存的目录路径,第一个分号后面的代表包名称

当proto文件不同步的时候容易出现的问题

go的客户端和服务端

  1. client.go
点击查看代码
package main

import (
"context"
"fmt"
"goRPC/grpc_proto_test/proto"
"google.golang.org/grpc"
"log" ) func main() {
// 创建链接
clientConn, err := grpc.Dial("127.0.0.1:50053", grpc.WithInsecure())
if err != nil {
log.Fatalf("链接失败, %s\n", err.Error())
}
defer clientConn.Close()
// 声明客户端
client := proto.NewGreeterClient(clientConn)
// 客户端调用服务器的方法
helloReplay, _ := client.SayHello(context.Background(), &proto.HelloRequest{
Name: "马亚南",
Url: "mayanan.cn",
}) fmt.Println(helloReplay.Message)
}

2. server.go

点击查看代码
package main

import (
"context"
"fmt"
"goRPC/grpc_proto_test/proto"
"google.golang.org/grpc"
"log"
"net"
) type Greeter struct{} func (g *Greeter) SayHello(ctx context.Context, request *proto.HelloRequest) (*proto.HelloReply, error) {
return &proto.HelloReply{
Message: fmt.Sprintf("hello name: %s, url: %s", request.Name, request.Url),
}, nil
} func main() {
// 实例化一个server
server := grpc.NewServer() // 注册逻辑到server中
proto.RegisterGreeterServer(server, &Greeter{}) // 启动server
listener, err := net.Listen("tcp", "127.0.0.1:50053")
if err != nil {
log.Fatalln(err.Error())
}
server.Serve(listener) }

python的客户端和服务端

  1. client.py
点击查看代码
import grpc

from proto import hello_pb2, hello_pb2_grpc

if __name__ == '__main__':
# 链接server
with grpc.insecure_channel("127.0.0.1:50053") as channel:
greeter = hello_pb2_grpc.GreeterStub(channel)
rsp = greeter.SayHello(hello_pb2.HelloRequest(name="马艳娜", url="https://mayanan.cn")) print(rsp.message)
  1. server.py
点击查看代码
from concurrent.futures import ThreadPoolExecutor

import grpc

from proto import hello_pb2, hello_pb2_grpc

class Greeter(hello_pb2_grpc.GreeterServicer):
def SayHello(self, request, context):
return hello_pb2.HelloReply(message=f"hello 姓名:{request.name} url: {request.url}") if __name__ == '__main__':
# 实例化server
server = grpc.server(ThreadPoolExecutor(max_workers=10)) # 注册逻辑到server中
hello_pb2_grpc.add_GreeterServicer_to_server(Greeter(), server) # 启动server
server.add_insecure_port("127.0.0.1:50053")
server.start()
server.wait_for_termination()

proto文件中引入其它的proto文件

  1. base.proto文件
syntax = "proto3";

message Pong {
string id = 1;
}
  1. hello.proto文件
syntax = "proto3";

import "Lib/site-packages/grpc_tools/_proto/google/protobuf/empty.proto";
import "base.proto"; option go_package = "../proto;proto"; service Greeter {
rpc SayHello(HelloRequest) returns (HelloReply);
rpc Ping(google.protobuf.Empty) returns (Pong);
} message HelloRequest {
string name = 1;
string url = 2;
}
message HelloReply {
string message = 1;
}

嵌套的message对象

python中的用法

  1. base.proto
syntax = "proto3";

message Pong {
string id = 1;
}
  1. hello.proto文件
点击查看代码
syntax = "proto3";

import "google/protobuf/empty.proto";
import "base.proto"; option go_package = "../proto;proto"; service Greeter {
rpc SayHello(HelloRequest) returns (HelloReply);
rpc Ping(google.protobuf.Empty) returns (Pong);
} message HelloRequest {
string name = 1;
string url = 2;
}
message HelloReply {
string message = 1; // 嵌套的message对象
message Result {
string name = 1;
string url = 2;
} repeated Result data = 2;
}

3. server.py

点击查看代码
from concurrent.futures import ThreadPoolExecutor

import grpc

from proto import hello_pb2, hello_pb2_grpc
from google.protobuf.empty_pb2 import Empty
from proto.base_pb2 import Pong result = hello_pb2.HelloReply.Result()
pong = hello_pb2.base__pb2.Pong()
empty = hello_pb2.google_dot_protobuf_dot_empty__pb2.Empty()

go中的用法

  1. base.proto
syntax = "proto3";
option go_package = "../proto;proto"; message Empty {}
message Pong {
string id = 1;
}
  1. hello.proto
点击查看代码
syntax = "proto3";

import "base.proto";

option go_package = "../proto;proto";

service Greeter {
rpc SayHello(HelloRequest) returns (HelloReply);
rpc Ping(Empty) returns (Pong);
} message HelloRequest {
string name = 1;
string url = 2;
}
message HelloReply {
string message = 1; // 嵌套的message对象
message Result {
string name = 1;
string url = 2;
} repeated Result data = 2;
}
  1. client.go
result := proto.HelloReply_Result{}
pong := proto.Pong{}
empty := proto.Empty{}
fmt.Println(result, pong, empty)

protobuf中的enum枚举类型

  1. 枚举类型定义
enum Gender {
MALE = 0;
FEMALE = 1;
} message HelloRequest {
string name = 1;
string url = 2;
Gender g = 3;
}
  1. 枚举类型使用
	// 客户端调用服务器的方法
helloReplay, _ := client.SayHello(context.Background(), &proto_bak.HelloRequest{
Name: "马亚南",
Url: "mayanan.cn",
G: proto_bak.Gender_MALE,
})

protobuf中的map类型

  1. map类型的定义
message HelloRequest {
string name = 1;
string url = 2;
Gender g = 3;
map <string, string> mp = 4;
}
  1. map类型的使用
	// 客户端调用服务器的方法
helloReplay, _ := client.SayHello(context.Background(), &proto_bak.HelloRequest{
Name: "马亚南",
Url: "mayanan.cn",
G: proto_bak.Gender_MALE,
Mp: map[string]string{"name2": "李四", "age": "28"},
})

protobuf内置的timestamp类型

  1. 将protoc中的include目录复制到当前项目proto_bak目录下,然后导入timestamp.proto文件,定义时间戳类型
点击查看代码
syntax = "proto3";

import "include/google/protobuf/timestamp.proto";

option go_package = "../proto_bak;proto_bak";

service Greeter {
rpc SayHello(HelloRequest) returns (HelloReply);
} enum Gender {
MALE = 0;
FEMALE = 1;
} message HelloRequest {
string name = 1;
string url = 2;
Gender g = 3;
map <string, string> mp = 4;
google.protobuf.Timestamp addTime = 5;
} message HelloReply {
string message = 1;
}
  1. go代码中使用proto中的时间戳类型
点击查看代码
package main

import (
"context"
"fmt"
"goRPC/grpc_proto_test/proto_bak"
"google.golang.org/grpc"
"google.golang.org/protobuf/types/known/timestamppb"
"log"
"time"
) func main() {
// 创建链接
clientConn, err := grpc.Dial("127.0.0.1:50053", grpc.WithInsecure())
if err != nil {
log.Fatalf("链接失败, %s\n", err.Error())
}
defer clientConn.Close()
// 声明客户端
client := proto_bak.NewGreeterClient(clientConn)
// 客户端调用服务器的方法
helloReplay, _ := client.SayHello(context.Background(), &proto_bak.HelloRequest{
Name: "马亚南",
Url: "mayanan.cn",
G: proto_bak.Gender_MALE,
Mp: map[string]string{"name2": "李四", "age": "28"},
AddTime: timestamppb.New(time.Now()),
}) fmt.Println(helloReplay.Message)
}

至此,protobuf大致讲解完毕。

protobuf详解的更多相关文章

  1. 通讯协议序列化解读(一) Protobuf详解教程

    前言:说到JSON可能大家很熟悉,是目前应用最广泛的一种序列化格式,它使用起来简单方便,而且拥有超高的可读性.但是在越来越多的应用场景里,JSON冗长的缺点导致它并不是一种最优的选择. 一.常用序列化 ...

  2. grpc系列- protobuf详解

    Protocol Buffers 是一种与语言.平台无关,可扩展的序列化结构化数据的方法,常用于通信协议,数据存储等等.相较于 JSON.XML,它更小.更快.更简单,因此也更受开发人员的青眯. 基本 ...

  3. Protocol Buffers编码详解,例子,图解

    Protocol Buffers编码详解,例子,图解 本文不是让你掌握protobuf的使用,而是以超级细致的例子的方式分析protobuf的编码设计.通过此文你可以了解protobuf的数据压缩能力 ...

  4. Protobuf 文件生成工具 Prototool 命令详解

    Protobuf 文件生成工具 Prototool 命令详解 简介 Prototool 是 Protobuf 文件的生成工具, 目前支持go, php, java, c#, object c 五种语言 ...

  5. ProtoBuf格式详解

    - 数据结构 通过前面的例子,可以看到PB的数据结构就是每项数据独立编码,包含一个表示数据类型 - Varint Varint是一种对数字进行编码的方法,将数字编码成不定长的二进制数据,数值越小,编码 ...

  6. 理论经典:TCP协议的3次握手与4次挥手过程详解

    1.前言 尽管TCP和UDP都使用相同的网络层(IP),TCP却向应用层提供与UDP完全不同的服务.TCP提供一种面向连接的.可靠的字节流服务. 面向连接意味着两个使用TCP的应用(通常是一个客户和一 ...

  7. Protocol Buffer技术详解(Java实例)

    Protocol Buffer技术详解(Java实例) 该篇Blog和上一篇(C++实例)基本相同,只是面向于我们团队中的Java工程师,毕竟我们项目的前端部分是基于Android开发的,而且我们研发 ...

  8. Protocol Buffer技术详解(C++实例)

    Protocol Buffer技术详解(C++实例) 这篇Blog仍然是以Google的官方文档为主线,代码实例则完全取自于我们正在开发的一个Demo项目,通过前一段时间的尝试,感觉这种结合的方式比较 ...

  9. Redis协议详解

    smark Beetle可靠.高性能的.Net Socket Tcp通讯组件 支持flash amf3,protobuf,Silverlight,windows phone Redis协议详解 由于前 ...

随机推荐

  1. Linux(centos)使用nc命令发送测试数据

    安装 yum -y install nmap-ncat 简单使用 nc -lk 7777 # 开启一个本地7777的TCP协议端口,由客户端主动发起连接,一旦连接必须由服务端发起关闭 nc -vw 2 ...

  2. Java的运行机制

    Java程序运行机制 编译型(操作系统 c/c++) 解释型(网页 不追求速度) 程序运行机制

  3. 再谈多线程模型之生产者消费者(单一生产者和单一消费者)(c++11实现)

    0.关于 为缩短篇幅,本系列记录如下: 再谈多线程模型之生产者消费者(基础概念)(c++11实现) 再谈多线程模型之生产者消费者(单一生产者和单一消费者)(c++11实现)[本文] 再谈多线程模型之生 ...

  4. 【LeetCode】969. Pancake Sorting 解题报告(Python & C++)

    作者: 负雪明烛 id: fuxuemingzhu 个人博客: http://fuxuemingzhu.cn/ 目录 题目描述 题目大意 解题方法 模拟法 日期 题目地址:https://leetco ...

  5. 【LeetCode】392. Is Subsequence 解题报告(Python)

    [LeetCode]392. Is Subsequence 解题报告(Python) 标签: LeetCode 题目地址:https://leetcode.com/problems/is-subseq ...

  6. 关于python常用的命令

    os模块: os.system os.system("cat/cmd等...") os.popen print os.popen("adb shell ls ../aa. ...

  7. TKE 用户故事 - 作业帮 PB 级低成本日志检索服务

    作者 吕亚霖,2019年加入作业帮,作业帮架构研发负责人,在作业帮期间主导了云原生架构演进.推动实施容器化改造.服务治理.GO微服务框架.DevOps的落地实践. 莫仁鹏,2020年加入作业帮,作业帮 ...

  8. VR AR MR的未来

    VR:VR(Virtual Reality,即虚拟现实,简称VR),是由美国VPL公司创建人拉尼尔(Jaron Lanier)在20世纪80年代初提出的.其具体内涵是:综合利用计算机图形系统和各种现实 ...

  9. oracle函数listagg使用

    作用 可以实现将多列记录聚合为一列记录,实现数据的压缩 语法结构 listagg(measure_expr,delimiter) within group ( order by order_by_cl ...

  10. <数据结构>由SearchTree的遍历序列确定树

    目录 XDOJ315. 拓展先序遍历-->二叉树 问题与解答 题后反思:数组树的不足 XDOJ318.先序+中序-->二叉树 问题与解答 题后反思:左右子树赋零 XDOJ320.层序+中序 ...