Netty 使用 Google 的 ProtoBuf 来传输数据
csdh11 2024-12-26 12:26 2 浏览
使用 Google 的 ProtoBuf 来传输数据
ProtoBuf 是 google 的一个文件传输的协议。与平台和语言无关。
编写 proto 文件 (用来生成 Java 文件 pojo 的)
syntax = "proto3"; // 表示协议的版本
option java_outer_classname = "StudentPojo"; // 类名同时也是文件名字
// ProtoBuf 是以 message 来管理数据的
message Student {// 会在 java_outer_classname 的类中生成的内部类,他是真正的 传输的 pojo 对象
int32 id = 1; // int32 => proto 类型,对应 Java 的 int 类型。(Student 内有一个属性 id,类型为 int32, 1 代表属性序号,并不是值)
string name = 2;
}
生成 Java 的实体类 protoc.exe --java_out=. Student.proto,执行这个命令以后就会生成一个指定的 Java 文件。然后把这个文件 copy 到自己的项目的工作路径。
使用 Netty 来实现 ProtoBuf 的数据传输
引入 maven 的依赖
<!-- protoBuf -->
<dependency>
<groupId>com.google.protobuf</groupId>
<artifactId>protobuf-java</artifactId>
<version>3.21.5</version>
</dependency>
添加 ProtoBuf 处理器到 server 和 client
pipeline.addLast(new ProtobufEncoder()); // ProtoBuf 的编码器
pipeline.addLast(new ProtobufDecoder(StudentPojo.Student.getDefaultInstance())); // ProtoBuf 的解码器
发送消息进行通讯
StudentPojo.Student student = StudentPojo.Student.newBuilder().setId(4).setName("孙悟空").build();
log.info("发送的数据 => {}", student);
ctx.writeAndFlush(student);
这样就是 netty 使用 ProtoBuf 的关键代码。
完整代码
服务端
package com.netty.codec;
import com.utils.LoggerUtils;
import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.*;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioServerSocketChannel;
import io.netty.handler.codec.protobuf.ProtobufDecoder;
import io.netty.handler.codec.protobuf.ProtobufEncoder;
import org.slf4j.Logger;
public class GoogleProtobufCodecServer {
/**
* 初始化服务
*/
public void init() throws InterruptedException {
EventLoopGroup boosGroup = new NioEventLoopGroup();
EventLoopGroup workGroup = new NioEventLoopGroup();
try {
ServerBootstrap serverBootstrap = new ServerBootstrap();
ChannelFuture channelFuture = serverBootstrap
.group(boosGroup, workGroup)
.channel(NioServerSocketChannel.class)
.childHandler(new ChannelInitializer<SocketChannel>() {
@Override
protected void initChannel(SocketChannel ch) {
// 添加处理器
ChannelPipeline pipeline = ch.pipeline();
// ProtoBuf 编解码器
pipeline.addLast(new ProtobufEncoder());
pipeline.addLast(new ProtobufDecoder(StudentPojo.Student.getDefaultInstance()));
// 自定义处理器
pipeline.addLast(new ProtoBufHandler());
}
})
// 绑定端口
.bind(6666).sync();
channelFuture.channel().closeFuture().sync();
} finally {
boosGroup.shutdownGracefully();
workGroup.shutdownGracefully();
}
}
/**
* 自定义处理器
*
* @author L
*/
private static class ProtoBufHandler extends SimpleChannelInboundHandler<StudentPojo.Student> {
Logger log = LoggerUtils.getLogger(ProtoBufHandler.class);
/**
* 通道初始化完成以后
*/
@Override
public void channelActive(ChannelHandlerContext ctx) {
StudentPojo.Student student = StudentPojo.Student.newBuilder().setId(4).setName("孙悟空").build();
log.info("发送的数据 => {}", student);
ctx.writeAndFlush(student);
}
/**
* 接收到消息以后
*
* @param ctx the {@link ChannelHandlerContext} which this {@link SimpleChannelInboundHandler}
* belongs to
* @param msg the message to handle
*/
@Override
protected void channelRead0(ChannelHandlerContext ctx, StudentPojo.Student msg) {
log.info("客户端发送的数据 => id={},name={}", msg.getId(), msg.getId());
}
}
/**
* 代码允许
*/
public static void main(String[] args) throws InterruptedException {
new GoogleProtobufCodecServer().init();
}
}
客户端
package com.netty.codec;
import io.netty.bootstrap.Bootstrap;
import io.netty.channel.*;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.nio.NioSocketChannel;
import io.netty.handler.codec.protobuf.ProtobufDecoder;
import io.netty.handler.codec.protobuf.ProtobufEncoder;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
public class GoogleProtobufCodecClient {
Logger log = LoggerFactory.getLogger(GoogleProtobufCodecClient.class);
public void init() throws InterruptedException {
EventLoopGroup clientGroup = new NioEventLoopGroup();
try {
// 创建一个 bootstrap 而不是 serverBootstrap
Bootstrap bootstrap = new Bootstrap();
// 设置相关管参数
bootstrap
// 设置线程组
.group(clientGroup)
// 设置客户端通道的实现类(反射)
.channel(NioSocketChannel.class)
// 设置处理器
.handler(new ChannelInitializer<NioSocketChannel>() {
@Override
protected void initChannel(NioSocketChannel nioSocketChannel) {
// 添加自己的 handler 处理器
ChannelPipeline pipeline = nioSocketChannel.pipeline();
pipeline.addLast(new ProtobufEncoder());
pipeline.addLast(new ProtobufDecoder(StudentPojo.Student.getDefaultInstance()));
pipeline.addLast(new ChannelInboundHandlerAdapter() {
@Override
public void channelRead(ChannelHandlerContext ctx, Object msg) {
log.info("服务端消息 => {}", msg);
}
});
}
});
log.info("客户端准备 OK");
// 启动客户端去链接服务端,涉及到 netty 的异步模型
ChannelFuture channelFuture = bootstrap.connect("127.0.0.1", 6666).sync();
// 给通道关闭进行监听
channelFuture.channel().closeFuture().sync();
} finally {
clientGroup.shutdownGracefully();
}
}
public static void main(String[] args) throws InterruptedException {
new GoogleProtobufCodecClient().init();
}
}
相关推荐
- Web前端最强JavaScript Excel处理插件——exceljs
-
介绍exceljs是一个读取,操作和编写电子表格数据和样式到XLSX和JSON,从Excel电子表格文件逆向工程设计的项目。之所以称它最强,是因为它的功能强大,简直就是专门为Excel打造的前端处理插...
- 介绍一款国产开源免费的在线文件文档预览的kkFileView
-
无论是个人或企业,甚至是政府部门,能够在浏览器中直接打开浏览Office等格式文档,也是一个普遍的需求和应用场景。对于企业来说,在线文件文档预览在OA办公系统、在线学习系统及招聘网站等广泛的应用。对于...
- 如何批量提取文件名到excel表?推荐6个方法
-
在当今数字信息时代,文件管理面临的挑战日益凸显,尤其在面对海量文件时,高效提取并分类管理文件名称成为提升工作效率的关键环节。精准获取文件名不仅能够有效避免重复性工作,还能快速整理与分析数据,确保信息的...
- Vue 前端开发——导入Excel/Csv vue导入excel到后端
-
项目开发中遇到导入表格常见的就是excel和csv格式,一般情况下我们会前端首先得到这个表格里面的数据,然后再把数据发送给后端,也有的是直接上传文件传给后台后台自己处理,这样就不好控制上传前预览和处...
- wps宏js学习-1 wps宏教程
-
在JS中,万物皆对象。比如JS中的字符串、数组、函数等都是对象。这些对象都有自己的属性与方法,后面在对应的章节中都有讲解。而在WPS表格,也有很多对象,比如WPS表格程序就是最大的对象,再...
- 文件预览的终级解决方案-kkFileView
-
kkFileView是使用springboot打造文件文档在线预览项目解决方案,支持doc、docx、ppt、pptx、xls、xlsx、zip、rar、mp4、mp3以及众多类文本如txt、htm...
- 开源中的精品,具备丰富Excel处理能力的Javascript库——exceljs
-
介绍exceljs是一个读取,操作和编写电子表格数据和样式到XLSX和JSON,从Excel电子表格文件逆向工程设计的项目。之所以称它最强,是因为它的功能强大,简直就是专门为Excel打造的前端处理插...
- 统一操作系统UOS适配NTKO Office控件:浏览器在线编辑文档
-
近一段时间以来,统信软件旗下的统一操作系统UOS在软硬件适配方面不断拓展,整个生态日渐完善,可以越来越好满足日常办公需求。现在,NTKOOffice文档控件Linux版也完成了与统一操作系统UOS的...
- 电脑里文件突然打不开时,试试这个简单方法
-
有时,有的文件就是怎么都打不开,可能是没有设置文件的默认打开方式哦。右击文件,选择“属性”,点击“打开方式”旁边的“更改”,选择可以打开这个文件的程序。例如,今天我的word文件突然打不开了,电脑里...
- 从中招到妥协——Locky电脑勒索病毒 中毒记录
-
作者:jelly仔大家好,我是Jelly仔,这次我要晒的是一种电脑病毒——Locky,这应该算是#全站首晒#吧。一、背景3月1日的晚上,我实习下班回到宿舍,浏览了一会张大妈上的原创,正准备打开E...
- JS宏之工作簿的新建与保存 工作表宏的使用方法
-
我们首先录制一个JS宏来看看工作簿新建和保存的代码是什么样子的吧functionMacro1(){Workbooks.Add(undefined);ActiveWorkbook.Custo...
- 不用任何 js 库,纯前端导出数据到 Excel / CSV 文件就简单几行代码
-
最近实现的导出数据为表格的需求,不需要工具库,也不要后端实现,mark一下。js导出excel表格...
- JS宏之工作簿的打开与保存 宏的工作薄怎么打开
-
functiontest1(){varcurrentpath=ActiveWorkbook.Path;for(vari=1;i<=4;i++){letwb=Workb...
- 使用JavaScript实现前端导入和导出excel文件?(H5编辑器实战)
-
前言最近笔者终于把H5-Dooring...
- 一周热门
-
-
IDC机房服务器托管可提供的服务
-
新版腾讯QQ更新Windows 9.9.7、Mac 6.9.25、Linux 3.2.5版本
-
一文看懂mysql时间函数now()、current_timestamp() 和sysdate()
-
详解PostgreSQL 如何获取当前日期时间
-
一款全能的看图软件,速度快、功能强、免费用
-
PhotoShop通道
-
Boston Dynamics Founder to Attend the 2024 T-EDGE Conference
-
一文读懂关于MySQL Datetime字段允许插入0000-00-00无效日期
-
Serv-u 提权
-
流星蝴蝶剑:76邵氏精华版,强化了流星,消失了蝴蝶
-
- 最近发表
- 标签列表
-
- huaweiupdateextractor (27)
- thinkphp6下载 (25)
- mysql 时间索引 (31)
- mydisktest_v298 (34)
- sql 日期比较 (26)
- document.appendchild (35)
- 头像打包下载 (61)
- oppoa5专用解锁工具包 (23)
- acmecadconverter_8.52绿色版 (39)
- oracle timestamp比较大小 (28)
- f12019破解 (20)
- unity shader入门精要pdf (22)
- word文档批量处理大师破解版 (36)
- pk10牛牛 (22)
- server2016安装密钥 (33)
- mysql 昨天的日期 (37)
- 加密与解密第四版pdf (30)
- pcm文件下载 (23)
- jemeter官网 (31)
- parsevideo (33)
- 个人网站源码 (37)
- ckeditor4中文文档 (27)
- exe4j_java_home (30)
- centos7.4下载 (33)
- xlsx.full.min.js下载 (32)