Go 每日一库之 twirp:又一个 RPC 框架
connygpt 2024-09-29 11:04 11 浏览
简介
twirp是一个基于 Google Protobuf 的 RPC 框架。twirp通过在.proto文件中定义服务,然后自动生产服务器和客户端的代码。让我们可以将更多的精力放在业务逻辑上。咦?这不就是 gRPC 吗?不同的是,gRPC 自己实现了一套 HTTP 服务器和网络传输层,twirp 使用标准库net/http。另外 gRPC 只支持 HTTP/2 协议,twirp 还可以运行在 HTTP 1.1 之上。同时 twirp 还可以使用 JSON 格式交互。当然并不是说 twirp 比 gRPC 好,只是多了解一种框架也就多了一个选择
快速使用
首先需要安装 twirp 的代码生成插件:
nbsp;go get github.com/twitchtv/twirp/protoc-gen-twirp
上面命令会在$GOPATH/bin目录下生成可执行程序protoc-gen-twirp。我的习惯是将$GOPATH/bin放到 PATH 中,所以可在任何地方执行该命令。
接下来安装 protobuf 编译器,直接到 GitHub 上https://github.com/protocolbuffers/protobuf/releases下载编译好的二进制程序放到 PATH 目录即可。
最后是 Go 语言的 protobuf 生成插件:
nbsp;go get github.com/golang/protobuf/protoc-gen-go
同样地,命令protoc-gen-go会安装到$GOPATH/bin目录中。
本文代码采用Go Modules。先创建目录,然后初始化:
$ mkdir twirp && cd twirp
$ go mod init github.com/darjun/go-daily-lib/twirp
接下来,我们开始代码编写。先编写.proto文件:
syntax = "proto3";
option go_package = "proto";
service Echo {
rpc Say(Request) returns (Response);
}
message Request {
string text = 1;
}
message Response {
string text = 2;
}
我们定义一个service实现echo功能,即发送什么就返回什么。切换到echo.proto所在目录,使用protoc命令生成代码:
$ protoc --twirp_out=. --go_out=. ./echo.proto
上面命令会生成echo.pb.go和echo.twirp.go两个文件。前一个是 Go Protobuf 文件,后一个文件中包含了twirp的服务器和客户端代码。
然后我们就可以编写服务器和客户端程序了。服务器:
package main
import (
"context"
"net/http"
"github.com/darjun/go-daily-lib/twirp/get-started/proto"
)
type Server struct{}
func (s *Server) Say(ctx context.Context, request *proto.Request) (*proto.Response, error) {
return &proto.Response{Text: request.GetText()}, nil
}
func main() {
server := &Server{}
twirpHandler := proto.NewEchoServer(server, nil)
http.ListenAndServe(":8080", twirpHandler)
}
使用自动生成的代码,我们只需要 3 步即可完成一个 RPC 服务器:
- 定义一个结构,可以存储一些状态。让它实现我们定义的service接口;
- 创建一个该结构的对象,调用生成的New{{ServiceName}}Server方法创建net/http需要的处理器,这里的ServiceName为我们的服务名;
- 监听端口。
客户端:
package main
import (
"context"
"fmt"
"log"
"net/http"
"github.com/darjun/go-daily-lib/twirp/get-started/proto"
)
func main() {
client := proto.NewEchoProtobufClient("http://localhost:8080", &http.Client{})
response, err := client.Say(context.Background(), &proto.Request{Text: "Hello World"})
if err != nil {
log.Fatal(err)
}
fmt.Printf("response:%s\n", response.GetText())
}
twirp也生成了客户端相关代码,直接调用NewEchoProtobufClient连接到对应的服务器,然后调用rpc请求。
开启两个控制台,分别运行服务器和客户端程序。服务器:
$ cd server && go run main.go
客户端:
$ cd client && go run main.go
正确返回结果:
response:Hello World
为了便于对照,下面列出该程序的目录结构。也可以去我的 GitHub 上查看示例代码:
get-started
├── client
│ └── main.go
├── proto
│ ├── echo.pb.go
│ ├── echo.proto
│ └── echo.twirp.go
└── server
└── main.go
JSON 客户端
除了使用 Protobuf,twirp还支持 JSON 格式的请求。使用也非常简单,只需要在创建Client时将NewEchoProtobufClient改为NewEchoJSONClient即可:
func main() {
client := proto.NewEchoJSONClient("http://localhost:8080", &http.Client{})
response, err := client.Say(context.Background(), &proto.Request{Text: "Hello World"})
if err != nil {
log.Fatal(err)
}
fmt.Printf("response:%s\n", response.GetText())
}
Protobuf Client 发送的请求带有Content-Type: application/protobuf的Header,JSON Client 则设置Content-Type为application/json。服务器收到请求时根据Content-Type来区分请求类型:
// proto/echo.twirp.go
unc (s *echoServer) serveSay(ctx context.Context, resp http.ResponseWriter, req *http.Request) {
header := req.Header.Get("Content-Type")
i := strings.Index(header, ";")
if i == -1 {
i = len(header)
}
switch strings.TrimSpace(strings.ToLower(header[:i])) {
case "application/json":
s.serveSayJSON(ctx, resp, req)
case "application/protobuf":
s.serveSayProtobuf(ctx, resp, req)
default:
msg := fmt.Sprintf("unexpected Content-Type: %q", req.Header.Get("Content-Type"))
twerr := badRouteError(msg, req.Method, req.URL.Path)
s.writeError(ctx, resp, twerr)
}
}
提供其他 HTTP 服务
实际上,twirpHandler只是一个http的处理器,正如其他千千万万的处理器一样,没什么特殊的。我们当然可以挂载我们自己的处理器或处理器函数(概念有不清楚的可以参见我的《Go Web 编程》系列文章:
type Server struct{}
func (s *Server) Say(ctx context.Context, request *proto.Request) (*proto.Response, error) {
return &proto.Response{Text: request.GetText()}, nil
}
func greeting(w http.ResponseWriter, r *http.Request) {
name := r.FormValue("name")
if name == "" {
name = "world"
}
w.Write([]byte("hi," + name))
}
func main() {
server := &Server{}
twirpHandler := proto.NewEchoServer(server, nil)
mux := http.NewServeMux()
mux.Handle(twirpHandler.PathPrefix(), twirpHandler)
mux.HandleFunc("/greeting", greeting)
err := http.ListenAndServe(":8080", mux)
if err != nil {
log.Fatal(err)
}
}
上面程序挂载了一个简单的/greeting请求,可以通过浏览器来请求地址http://localhost:8080/greeting。twirp的请求会挂载到路径twirp/{{ServiceName}}这个路径下,其中ServiceName为服务名。上面程序中的PathPrefix()会返回/twirp/Echo。
客户端:
func main() {
client := proto.NewEchoProtobufClient("http://localhost:8080", &http.Client{})
response, _ := client.Say(context.Background(), &proto.Request{Text: "Hello World"})
fmt.Println("echo:", response.GetText())
httpResp, _ := http.Get("http://localhost:8080/greeting")
data, _ := ioutil.ReadAll(httpResp.Body)
httpResp.Body.Close()
fmt.Println("greeting:", string(data))
httpResp, _ = http.Get("http://localhost:8080/greeting?name=dj")
data, _ = ioutil.ReadAll(httpResp.Body)
httpResp.Body.Close()
fmt.Println("greeting:", string(data))
}
先运行服务器,然后执行客户端程序:
$ go run main.go
echo: Hello World
greeting: hi,world
greeting: hi,dj
发送自定义的 Header
默认情况下,twirp实现会发送一些 Header。例如上面介绍的,使用Content-Type辨别客户端使用的协议格式。有时候我们可能需要发送一些自定义的 Header,例如token。twirp提供了WithHTTPRequestHeaders方法实现这个功能,该方法返回一个context.Context。发送时会将保存在该对象中的 Header 一并发送。类似地,服务器使用WithHTTPResponseHeaders发送自定义 Header。
由于twirp封装了net/http,导致外层拿不到原始的http.Request和http.Response对象,所以 Header 的读取有点麻烦。在服务器端,NewEchoServer返回的是一个http.Handler,我们加一层中间件读取http.Request。看下面代码:
type Server struct{}
func (s *Server) Say(ctx context.Context, request *proto.Request) (*proto.Response, error) {
token := ctx.Value("token").(string)
fmt.Println("token:", token)
err := twirp.SetHTTPResponseHeader(ctx, "Token-Lifecycle", "60")
if err != nil {
return nil, twirp.InternalErrorWith(err)
}
return &proto.Response{Text: request.GetText()}, nil
}
func WithTwirpToken(h http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
ctx := r.Context()
token := r.Header.Get("Twirp-Token")
ctx = context.WithValue(ctx, "token", token)
r = r.WithContext(ctx)
h.ServeHTTP(w, r)
})
}
func main() {
server := &Server{}
twirpHandler := proto.NewEchoServer(server, nil)
wrapped := WithTwirpToken(twirpHandler)
http.ListenAndServe(":8080", wrapped)
}
上面程序给客户端返回了一个名为Token-Lifecycle的 Header。客户端代码:
func main() {
client := proto.NewEchoProtobufClient("http://localhost:8080", &http.Client{})
header := make(http.Header)
header.Set("Twirp-Token", "test-twirp-token")
ctx := context.Background()
ctx, err := twirp.WithHTTPRequestHeaders(ctx, header)
if err != nil {
log.Fatalf("twirp error setting headers: %v", err)
}
response, err := client.Say(ctx, &proto.Request{Text: "Hello World"})
if err != nil {
log.Fatalf("call say failed: %v", err)
}
fmt.Printf("response:%s\n", response.GetText())
}
运行程序,服务器正确获取客户端传过来的 token。
请求路由
我们前面已经介绍过了,twirp的Server实际上也就是一个http.Handler,如果我们知道了它的挂载路径,完全可以通过浏览器或者curl之类的工具去请求。我们启动get-started的服务器,然后用curl命令行工具去请求:
$ curl --request "POST" \
--location "http://localhost:8080/twirp/Echo/Say" \
--header "Content-Type:application/json" \
--data '{"text":"hello world"}'\
--verbose
{"text":"hello world"}
这在调试的时候非常有用。
总结
本文介绍了 Go 的一个基于 Protobuf 生成代码的 RPC 框架,非常简单,小巧,实用。twirp对许多常用的编程语言都提供了支持。可以作为 gRPC 等的备选方案考虑。
大家如果发现好玩、好用的 Go 语言库,欢迎到 Go 每日一库 GitHub 上提交 issue
参考
- twirp GitHub:https://github.com/twitchtv/twirp
- twirp 官方文档:https://twitchtv.github.io/twirp/docs/intro.html
- Go 每日一库 GitHub:https://github.com/darjun/go-daily-lib
相关推荐
- 3分钟让你的项目支持AI问答模块,完全开源!
-
hello,大家好,我是徐小夕。之前和大家分享了很多可视化,零代码和前端工程化的最佳实践,今天继续分享一下最近开源的Next-Admin的最新更新。最近对这个项目做了一些优化,并集成了大家比较关注...
- 干货|程序员的副业挂,12个平台分享
-
1、D2adminD2Admin是一个完全开源免费的企业中后台产品前端集成方案,使用最新的前端技术栈,小于60kb的本地首屏js加载,已经做好大部分项目前期准备工作,并且带有大量示例代码,助...
- Github标星超200K,这10个可视化面板你知道几个
-
在Github上有很多开源免费的后台控制面板可以选择,但是哪些才是最好、最受欢迎的可视化控制面板呢?今天就和大家推荐Github上10个好看又流行的可视化面板:1.AdminLTEAdminLTE是...
- 开箱即用的炫酷中后台前端开源框架第二篇
-
#头条创作挑战赛#1、SoybeanAdmin(1)介绍:SoybeanAdmin是一个基于Vue3、Vite3、TypeScript、NaiveUI、Pinia和UnoCSS的清新优...
- 搭建React+AntDeign的开发环境和框架
-
搭建React+AntDeign的开发环境和框架随着前端技术的不断发展,React和AntDesign已经成为越来越多Web应用程序的首选开发框架。React是一个用于构建用户界面的JavaScrip...
- 基于.NET 5实现的开源通用权限管理平台
-
??大家好,我是为广大程序员兄弟操碎了心的小编,每天推荐一个小工具/源码,装满你的收藏夹,每天分享一个小技巧,让你轻松节省开发效率,实现不加班不熬夜不掉头发,是我的目标!??今天小编推荐一款基于.NE...
- StreamPark - 大数据流计算引擎
-
使用Docker完成StreamPark的部署??1.基于h2和docker-compose进行StreamPark部署wgethttps://raw.githubusercontent.com/a...
- 教你使用UmiJS框架开发React
-
1、什么是Umi.js?umi,中文可发音为乌米,是一个可插拔的企业级react应用框架。你可以将它简单地理解为一个专注性能的类next.js前端框架,并通过约定、自动生成和解析代码等方式来辅助...
- 简单在线流程图工具在用例设计中的运用
-
敏捷模式下,测试团队的用例逐渐简化以适应快速的发版节奏,大家很早就开始运用思维导图工具比如xmind来编写测试方法、测试点。如今不少已经不少利用开源的思维导图组件(如百度脑图...)来构建测试测试...
- 【开源分享】神奇的大数据实时平台框架,让Flink&Spark开发更简单
-
这是一个神奇的框架,让Flink|Spark开发更简单,一站式大数据实时平台!他就是StreamX!什么是StreamX大数据技术如今发展的如火如荼,已经呈现百花齐放欣欣向荣的景象,实时处理流域...
- 聊聊规则引擎的调研及实现全过程
-
摘要本期主要以规则引擎业务实现为例,陈述在陌生业务前如何进行业务深入、调研、技术选型、设计及实现全过程分析,如果你对规则引擎不感冒、也可以从中了解一些抽象实现过程。诉求从硬件采集到的数据提供的形式多种...
- 【开源推荐】Diboot 2.0.5 发布,自动化开发助理
-
一、前言Diboot2.0.5版本已于近日发布,在此次发布中,我们新增了file-starter组件,完善了iam-starter组件,对core核心进行了相关优化,让devtools也支持对IAM...
- 微软推出Copilot Actions,使用人工智能自动执行重复性任务
-
IT之家11月19日消息,微软在今天举办的Ignite大会上宣布了一系列新功能,旨在进一步提升Microsoft365Copilot的智能化水平。其中最引人注目的是Copilot...
- Electron 使用Selenium和WebDriver
-
本节我们来学习如何在Electron下使用Selenium和WebDriver。SeleniumSelenium是ThoughtWorks提供的一个强大的基于浏览器的开源自动化测试工具...
- Quick 'n Easy Web Builder 11.1.0设计和构建功能齐全的网页的工具
-
一个实用而有效的应用程序,能够让您轻松构建、创建和设计个人的HTML网站。Quick'nEasyWebBuilder是一款全面且轻巧的软件,为用户提供了一种简单的方式来创建、编辑...
- 一周热门
- 最近发表
- 标签列表
-
- kubectlsetimage (56)
- mysqlinsertoverwrite (53)
- addcolumn (54)
- helmpackage (54)
- varchar最长多少 (61)
- 类型断言 (53)
- protoc安装 (56)
- jdk20安装教程 (60)
- rpm2cpio (52)
- 控制台打印 (63)
- 401unauthorized (51)
- vuexstore (68)
- druiddatasource (60)
- 企业微信开发文档 (51)
- rendertexture (51)
- speedphp (52)
- gitcommit-am (68)
- bashecho (64)
- str_to_date函数 (58)
- yum下载包及依赖到本地 (72)
- jstree中文api文档 (59)
- mvnw文件 (58)
- rancher安装 (63)
- nginx开机自启 (53)
- .netcore教程 (53)