博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
编解码-marshalling
阅读量:4984 次
发布时间:2019-06-12

本文共 11153 字,大约阅读时间需要 37 分钟。

JBoss的Marshalling序列化框架,它是JBoss内部使用的序列化框架,Netty提供了Marshalling编码和解码器,方便用户在Netty中使用Marshalling。

JBoss Marshalling是一个Java对象序列化包,对JDK默认的序列化框架进行了优化,但又保持跟java.io.Serializable接口的兼容,同时增加了一些可调的参数和附加的特性,这些参数和特性可通过工厂类进行配置。

import lombok.Data;import java.io.Serializable;@Datapublic class SubscribeReq implements Serializable {    /**     * 默认的序列号ID     */    private static final long serialVersionUID = 1L;    private int subReqID;    private String userName;    private String productName;    private String phoneNumber;    private String address;    @Override    public String toString() {        return "SubscribeReq [subReqID=" + subReqID + ", userName=" + userName                + ", productName=" + productName + ", phoneNumber="                + phoneNumber + ", address=" + address + "]";    }}import lombok.Data;import java.io.Serializable;@Datapublic class SubscribeResp implements Serializable {   /**   * 默认序列ID   */ private static final long serialVersionUID = 1L;   private int subReqID;   private int respCode;   private String desc;   @Override   public String toString() {   return "SubscribeResp [subReqID=" + subReqID + ", respCode=" + respCode     + ", desc=" + desc + "]";   } }

编解码工厂类:

import io.netty.handler.codec.marshalling.*;import org.jboss.marshalling.MarshallerFactory;import org.jboss.marshalling.Marshalling;import org.jboss.marshalling.MarshallingConfiguration;public final class MarshallingCodeCFactory {    /**     * 创建Jboss Marshalling解码器MarshallingDecoder     */    public static MarshallingDecoder buildMarshallingDecoder() {        //首先通过Marshalling工具类的getProvidedMarshallerFactory静态方法获取MarshallerFactory实例        //参数“serial”表示创建的是Java序列化工厂对象,它由jboss-marshalling-serial-1.3.0.CR9.jar提供。        final MarshallerFactory marshallerFactory = Marshalling.getProvidedMarshallerFactory("serial");        //创建了MarshallingConfiguration对象        final MarshallingConfiguration configuration = new MarshallingConfiguration();        //将它的版本号设置为5        configuration.setVersion(5);        //然后根据MarshallerFactory和MarshallingConfiguration创建UnmarshallerProvider实例        UnmarshallerProvider provider = new DefaultUnmarshallerProvider(marshallerFactory, configuration);        //最后通过构造函数创建Netty的MarshallingDecoder对象        //它有两个参数,分别是UnmarshallerProvider和单个消息序列化后的最大长度。        MarshallingDecoder decoder = new MarshallingDecoder(provider, 1024);        return decoder;    }    /**     * 创建Jboss Marshalling编码器MarshallingEncoder     */    public static MarshallingEncoder buildMarshallingEncoder() {        final MarshallerFactory marshallerFactory = Marshalling.getProvidedMarshallerFactory("serial");        final MarshallingConfiguration configuration = new MarshallingConfiguration();        configuration.setVersion(5);        //创建MarshallerProvider对象,它用于创建Netty提供的MarshallingEncoder实例        MarshallerProvider provider = new DefaultMarshallerProvider(marshallerFactory, configuration);        //MarshallingEncoder用于将实现序列化接口的POJO对象序列化为二进制数组。        MarshallingEncoder encoder = new MarshallingEncoder(provider);        return encoder;    }}

服务端代码示例:

import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.*;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler.logging.LogLevel;import io.netty.handler.logging.LoggingHandler;public class SubReqServer {    public void bind(int port) throws Exception {        // 配置服务端的NIO线程组        EventLoopGroup bossGroup = new NioEventLoopGroup();        EventLoopGroup workerGroup = new NioEventLoopGroup();        try {            ServerBootstrap b = new ServerBootstrap();            b.group(bossGroup, workerGroup)                    .channel(NioServerSocketChannel.class)                    .option(ChannelOption.SO_BACKLOG, 100)                    .handler(new LoggingHandler(LogLevel.INFO))                    .childHandler(new ChannelInitializer() {                        @Override                        public void initChannel(Channel ch) {                            //通过工厂类创建MarshallingEncoder解码器,并添加到ChannelPipeline.                            ch.pipeline().addLast(MarshallingCodeCFactory.buildMarshallingDecoder());                            //通过工厂类创建MarshallingEncoder编码器,并添加到ChannelPipeline中。                            ch.pipeline().addLast(MarshallingCodeCFactory.buildMarshallingEncoder());                            ch.pipeline().addLast(new SubReqServerHandler());                        }                    });            // 绑定端口,同步等待成功            ChannelFuture f = b.bind(port).sync();            // 等待服务端监听端口关闭            f.channel().closeFuture().sync();        } finally {            // 优雅退出,释放线程池资源            bossGroup.shutdownGracefully();            workerGroup.shutdownGracefully();        }    }    public static void main(String[] args) throws Exception {        int port = 8080;        if (args != null && args.length > 0) {            try {                port = Integer.valueOf(args[0]);            } catch (NumberFormatException e) {                // 采用默认值            }        }        new SubReqServer().bind(port);    }}import io.netty.channel.ChannelHandler;import io.netty.channel.ChannelHandlerAdapter;import io.netty.channel.ChannelHandlerContext;@ChannelHandler.Sharablepublic class SubReqServerHandler extends ChannelHandlerAdapter {    @Override    public void channelRead(ChannelHandlerContext ctx, Object msg)            throws Exception {        //经过解码器handler ObjectDecoder的解码,        //SubReqServerHandler接收到的请求消息已经被自动解码为SubscribeReq对象,可以直接使用。        SubscribeReq req = (SubscribeReq) msg;        if ("Lilinfeng".equalsIgnoreCase(req.getUserName())) {            System.out.println("Service accept client subscribe req : ["                    + req.toString() + "]");            //对订购者的用户名进行合法性校验,校验通过后打印订购请求消息,构造订购成功应答消息立即发送给客户端。            ctx.writeAndFlush(resp(req.getSubReqID()));        }    }    private SubscribeResp resp(int subReqID) {        SubscribeResp resp = new SubscribeResp();        resp.setSubReqID(subReqID);        resp.setRespCode(0);        resp.setDesc("Netty book order succeed, 3 days later, sent to the designated address");        return resp;    }    @Override    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {        cause.printStackTrace();        ctx.close();// 发生异常,关闭链路    }}

客户端代码示例:

import io.netty.bootstrap.Bootstrap;import io.netty.channel.*;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.nio.NioSocketChannel;public class SubReqClient {    public void connect(int port, String host) throws Exception {        // 配置客户端NIO线程组        EventLoopGroup group = new NioEventLoopGroup();        try {            Bootstrap b = new Bootstrap();            b.group(group).channel(NioSocketChannel.class)                    .option(ChannelOption.TCP_NODELAY, true)                    .handler(new ChannelInitializer() {                        @Override                        public void initChannel(Channel ch)                                throws Exception {                            ch.pipeline().addLast(MarshallingCodeCFactory.buildMarshallingDecoder());                            ch.pipeline().addLast(MarshallingCodeCFactory.buildMarshallingEncoder());                            ch.pipeline().addLast(new SubReqClientHandler());                        }                    });            // 发起异步连接操作            ChannelFuture f = b.connect(host, port).sync();            // 等待客户端链路关闭            f.channel().closeFuture().sync();        } finally {            // 优雅退出,释放NIO线程组            group.shutdownGracefully();        }    }    public static void main(String[] args) throws Exception {        int port = 8080;        if (args != null && args.length > 0) {            try {                port = Integer.valueOf(args[0]);            } catch (NumberFormatException e) {                // 采用默认值            }        }        new SubReqClient().connect(port, "127.0.0.1");    }}import io.netty.channel.ChannelHandlerAdapter;import io.netty.channel.ChannelHandlerContext;public class SubReqClientHandler extends ChannelHandlerAdapter {    public SubReqClientHandler() {    }    @Override    public void channelActive(ChannelHandlerContext ctx) {        //在链路激活的时候循环构造10条订购请求消息,最后一次性地发送给服务端。        for (int i = 0; i < 10; i++) {            ctx.write(subReq(i));        }        ctx.flush();    }    private SubscribeReq subReq(int i) {        SubscribeReq req = new SubscribeReq();        req.setAddress("南京市江宁区方山国家地质公园");        req.setPhoneNumber("138xxxxxxxxx");        req.setProductName("Netty For Marshalling");        req.setSubReqID(i);        req.setUserName("Lilinfeng");        return req;    }    @Override    public void channelRead(ChannelHandlerContext ctx, Object msg)            throws Exception {        //由于对象解码器已经对订购请求应答消息进行了自动解码,        //因此,SubReqClientHandler接收到的消息已经是解码成功后的订购应答消息。        System.out.println("Receive server response : [" + msg + "]");    }    @Override    public void channelReadComplete(ChannelHandlerContext ctx) throws Exception {        ctx.flush();    }    @Override    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {        cause.printStackTrace();        ctx.close();    }}

运行结果:

服务端结果:

14:48:45.475 [nioEventLoopGroup-2-1] INFO i.n.handler.logging.LoggingHandler - [id: 0x71ea5def, /0:0:0:0:0:0:0:0:8080] RECEIVED: [id: 0x876eb7b4, /127.0.0.1:57423 => /127.0.0.1:8080]

14:48:45.707 [nioEventLoopGroup-3-1] DEBUG io.netty.util.ResourceLeakDetector - -Dio.netty.leakDetectionLevel: simple
Service accept client subscribe req : [SubscribeReq [subReqID=0, userName=Lilinfeng, productName=Netty For Marshalling, phoneNumber=138xxxxxxxxx, address=南京市江宁区方山国家地质公园]]
Service accept client subscribe req : [SubscribeReq [subReqID=1, userName=Lilinfeng, productName=Netty For Marshalling, phoneNumber=138xxxxxxxxx, address=南京市江宁区方山国家地质公园]]
..........................................................................
Service accept client subscribe req : [SubscribeReq [subReqID=9, userName=Lilinfeng, productName=Netty For Marshalling, phoneNumber=138xxxxxxxxx, address=南京市江宁区方山国家地质公园]]

客户端结果:

Receive server response : [SubscribeResp [subReqID=0, respCode=0, desc=Netty book order succeed, 3 days later, sent to the designated address]]

..........................................................................
Receive server response : [SubscribeResp [subReqID=9, respCode=0, desc=Netty book order succeed, 3 days later, sent to the designated address]]

由于我们模拟了TCP的粘包/拆包场景,但是程序的运行结果仍然正确,说明Netty的Marshalling编解码器支持半包和粘包的处理,对于开发者而言,只需要正确地将Marshalling编码器和解码器加入到ChannelPipeline中,就能实现对Marshalling序列化的支持。

利用Netty的Marshalling编解码器,可以轻松地开发出与JBoss内部模块进行远程通信的程序,而且支持异步非阻塞,这无疑降低了基于Netty开发的应用程序与JBoss内部模块对接的难度。

pom.xml

org.jboss.marshalling
jboss-marshalling
1.3.0.GA
org.jboss.marshalling
jboss-marshalling-serial
1.3.0.GA

 

 

转载于:https://www.cnblogs.com/wade-luffy/p/6169947.html

你可能感兴趣的文章
Codeforces Round #402 (Div. 2) 阵亡记
查看>>
Ceph源码解析:Scrub故障检测
查看>>
FastDFS 自动部署和配置脚本
查看>>
有道面试
查看>>
跟牛牛老师学习python自动化的第六天
查看>>
利用Flume将本地文件数据中收集到HDFS
查看>>
html5的优缺点
查看>>
wget下载文件
查看>>
Swagger使用--在一个Controller中使用相同(类似)参数的方法
查看>>
Vim 加 Gmail 变身 Vmail
查看>>
P1294 高手去散步
查看>>
IOS用IB快速适配iPhone5
查看>>
一次谷歌面试趣事
查看>>
(5) Orchard 开发之 Localization and NullLocalizer
查看>>
分类算法(1)--KNN
查看>>
每日记载内容总结3
查看>>
ajax等待请求
查看>>
NTP协议详解
查看>>
Java学习之equals和hashcode的关系
查看>>
一页纸商业计划书 (Business Plan) 模板(转载)
查看>>