当前位置:   article > 正文

Netty 教程 – 实现WebSocket通讯_netty websocket 聊天

netty websocket 聊天

WebSocket

WebSocket协议是基于TCP的一种新的网络协议,它实现了浏览器与服务器全双工(full-duplex)通信,允许服务器主动发送信息给客户端

优点及作用

Http协议的弊端:

  • Http协议为半双工协议。(半双工:同一时刻,数据只能在客户端和服务端一个方向上传输)
  • Http协议冗长且繁琐
  • 易收到攻击,如长轮询
  • 非持久化协议

WebSocket的特性:

  • 单一的 TCP 连接,采用全双工模式通信
  • 对代理、防火墙和路由器透明
  • 无头部信息和身份验证
  • 无安全开销
  • 通过 ping/pong 帧保持链路激活
  • 持久化协议,连接建立后,服务器可以主动传递消息给客户端,不再需要客户端轮询

实现原理

在实现Websocket连线过程中,需要通过浏览器发出Websocket连线请求,然后服务器发出回应,这个过程通常称为握手 。在 WebSocket API,浏览器和服务器只需要做一个握手的动作,然后,浏览器和服务器之间就形成了一条快速通道。两者之间就直接可以数据互相传送。在此WebSocket 协议中,为我们实现即时服务带来了两大好处:

1.Header 互相沟通的Header是很小的-大概只有 2 Bytes

  1. GET ws://localhost:5050/websocket HTTP/1.1
  2. Host: localhost:5050
  3. Connection: Upgrade
  4. Pragma: no-cache
  5. Cache-Control: no-cache
  6. Upgrade: websocket
  7. Origin: http://localhost:63342
  8. Sec-WebSocket-Version: 13
  9. User-Agent: Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/61.0.3163.79 Safari/537.36
  10. Accept-Encoding: gzip, deflate, br
  11. Accept-Language: zh-CN,zh;q=0.8
  12. Cookie: Idea-d796403=9d25c0a7-d062-4c0f-a2ff-e4da09ea564e
  13. Sec-WebSocket-Key: IzEaiuZLxeIhjjYDdTp+1g==
  14. Sec-WebSocket-Extensions: permessage-deflate; client_max_window_bits

Sec-WebSocket-Key 是随机生成的,服务端会使用它加密后作为 Sec-WebSocket-Accept 的值返回;
Sec-WebSocket-Protocol 是一个用户定义的字符串,用来区分同URL下,不同的服务所需要的协议;
Sec-WebSocket-Version 是告诉服务器所使用的Websocket Draft(协议版本)

2.Server Push 服务器的推送,服务器不再被动的接收到浏览器的请求之后才返回数据,而是在有新数据时就主动推送给浏览器。

  1. HTTP/1.1 101 Switching Protocols
  2. upgrade: websocket
  3. connection: Upgrade
  4. sec-websocket-accept: nO+qX20rjrTLHaG6iQyllO8KEmA=

经过服务器的返回处理后连接握手成功,后面就可以进行TCP通讯,WebSocket在握手后发送数据并象下层TCP协议那样由用户自定义,还是需要遵循对应的应用协议规范…

WebSocket服务

定义初始化参数

  1. public interface Init {
  2. int PORT = 5050;
  3. String HOST = "localhost";
  4. String WEB_SOCKET_URL = String.format("ws://%s:%d/websocket", HOST, PORT);
  5. }

1.创建一个WebSocketServer类,然后重写初始化事件(基本上与上一章编写的文件下载类似,都需要依赖HTTP的解码器与通信支持的模块…)

  1. public class WebSocketServer {
  2. private static final Logger LOG = Logger.getLogger(WebSocketServer.class.getName());
  3. public static void run(int port) throws Exception {
  4. EventLoopGroup bossGroup = new NioEventLoopGroup();
  5. EventLoopGroup workerGroup = new NioEventLoopGroup();
  6. try {
  7. ServerBootstrap bootstrap = new ServerBootstrap();
  8. bootstrap.group(bossGroup, workerGroup)
  9. .channel(NioServerSocketChannel.class)
  10. .childHandler(new ChannelInitializer<Channel>() {
  11. @Override
  12. protected void initChannel(Channel channel) throws Exception {
  13. ChannelPipeline pipeline = channel.pipeline();
  14. pipeline.addLast("http-codec", new HttpServerCodec()); // Http消息编码解码
  15. pipeline.addLast("aggregator", new HttpObjectAggregator(65536)); // Http消息组装
  16. pipeline.addLast("http-chunked", new ChunkedWriteHandler()); // WebSocket通信支持
  17. pipeline.addLast("handler", new WebSocketServerHandler()); // WebSocket服务端Handler
  18. }
  19. });
  20. Channel channel = bootstrap.bind(port).sync().channel();
  21. LOG.info("WebSocket 已经启动,端口:" + port + ".");
  22. channel.closeFuture().sync();
  23. } finally {
  24. bossGroup.shutdownGracefully();
  25. workerGroup.shutdownGracefully();
  26. }
  27. }
  28. public static void main(String[] args) throws Exception {
  29. WebSocketServer.run(Init.PORT);
  30. }
  31. }

2.创建WebSocketServerHandler,重写以下三个方法

  • messageReceived:消息接收,判断请求消息来源,从而做不同处理
  • channelReadComplete:Channel读取完毕后执行的回调操作
  • exceptionCaught:异常后回调操作
  1. public class WebSocketServerHandler extends SimpleChannelInboundHandler<Object> {
  2. private static final Logger LOG = Logger.getLogger(WebSocketServerHandler.class.getName());
  3. private WebSocketServerHandshaker handshaker;
  4. @Override
  5. public void messageReceived(ChannelHandlerContext ctx, Object msg)
  6. throws Exception {
  7. // 传统的HTTP接入
  8. if (msg instanceof FullHttpRequest) {
  9. handleHttpRequest(ctx, (FullHttpRequest) msg);
  10. }
  11. // WebSocket接入
  12. else if (msg instanceof WebSocketFrame) {
  13. handleWebSocketFrame(ctx, (WebSocketFrame) msg);
  14. }
  15. }
  16. @Override
  17. public void channelReadComplete(ChannelHandlerContext ctx) throws Exception {
  18. ctx.flush();
  19. }
  20. @Override
  21. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause)
  22. throws Exception {
  23. cause.printStackTrace();
  24. ctx.close();
  25. }
  26. }

第一次握手请求是由HTTP协议承载来完成握手请求操作

3.定义handleHttpRequestsendHttpResponse方法,处理HTTP的请求,首先判断是否为WebSocket握手请求,如果不是则抛出错误消息

  1. private void handleHttpRequest(ChannelHandlerContext ctx, FullHttpRequest req) throws Exception {
  2. // 如果HTTP解码失败,返回HHTP异常
  3. if (!req.decoderResult().isSuccess() || (!"websocket".equals(req.headers().get("Upgrade")))) {
  4. sendHttpResponse(ctx, req, new DefaultFullHttpResponse(HTTP_1_1,
  5. BAD_REQUEST));
  6. return;
  7. }
  8. // 构造握手响应返回,本机测试
  9. WebSocketServerHandshakerFactory wsFactory = new WebSocketServerHandshakerFactory(Init.WEB_SOCKET_URL, null, false);
  10. handshaker = wsFactory.newHandshaker(req);
  11. if (handshaker == null) {
  12. WebSocketServerHandshakerFactory.sendUnsupportedVersionResponse(ctx.channel());
  13. } else {
  14. handshaker.handshake(ctx.channel(), req);
  15. }
  16. }
  17. private static void sendHttpResponse(ChannelHandlerContext ctx, FullHttpRequest req, FullHttpResponse res) {
  18. // 返回应答给客户端
  19. if (res.status().code() != 200) {
  20. ByteBuf buf = Unpooled.copiedBuffer(res.status().toString(), CharsetUtil.UTF_8);
  21. res.content().writeBytes(buf);
  22. buf.release();
  23. setContentLength(res, res.content().readableBytes());
  24. }
  25. // 如果是非Keep-Alive,关闭连接
  26. ChannelFuture f = ctx.channel().writeAndFlush(res);
  27. if (!isKeepAlive(req) || res.status().code() != 200) {
  28. f.addListener(ChannelFutureListener.CLOSE);
  29. }
  30. }
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小舞很执着/article/detail/973953
推荐阅读
相关标签
  

闽ICP备14008679号