当前位置:   article > 正文

WebSocket服务端数据推送及心跳机制(Spring Boot + VUE)_websocket心跳包机制

websocket心跳包机制

一、WebSocket简介

      HTML5规范在传统的web交互基础上为我们带来了众多的新特性,随着web技术被广泛用于web APP的开发,这些新特性得以推广和使用,而websocket作为一种新的web通信技术具有巨大意义。WebSocket是HTML5新增的协议,它的目的是在浏览器和服务器之间建立一个不受限的双向通信的通道,比如说,服务器可以在任意时刻发送消息给浏览器。支持双向通信。

二、WebSocket通信原理及机制

       websocket是基于浏览器端的web技术,那么它的通信肯定少不了http,websocket本身虽然也是一种新的应用层协议,但是它也不能够脱离http而单独存在。具体来讲,我们在客户端构建一个websocket实例,并且为它绑定一个需要连接到的服务器地址,当客户端连接服务端的时候,会向服务端发送一个消息报文

三、WebSocket特点和优点

  • 支持双向通信,实时性更强。
  • 更好的二进制支持。
  • 较少的控制开销。连接创建后,ws客户端、服务端进行数据交换时,协议控制的数据包头部较小。在不包含头部的情况下,服务端到客户端的包头只有2~10字节(取决于数据包长度),客户端到服务端的的话,需要加上额外的4字节的掩码。而HTTP协议每次通信都需要携带完整的头部。
  • 支持扩展。ws协议定义了扩展,用户可以扩展协议,或者实现自定义的子协议。(比如支持自定义压缩算法等)
  • 建立在tcp协议之上,服务端实现比较容易
  • 数据格式比较轻量,性能开销小,通信效率高
  • 和http协议有着良好的兼容性,默认端口是80和443,并且握手阶段采用HTTP协议,因此握手的时候不容易屏蔽,能通过各种的HTTP代理

四、WebSocket心跳机制

      在使用websocket过程中,可能会出现网络断开的情况,比如信号不好,或者网络临时性关闭,这时候websocket的连接已经断开,而浏览器不会执行websocket 的 onclose方法,我们无法知道是否断开连接,也就无法进行重连操作。如果当前发送websocket数据到后端,一旦请求超时,onclose便会执行,这时候便可进行绑定好的重连操作。

       心跳机制是每隔一段时间会向服务器发送一个数据包,告诉服务器自己还活着,同时客户端会确认服务器端是否还活着,如果还活着的话,就会回传一个数据包给客户端来确定服务器端也还活着,否则的话,有可能是网络断开连接了。需要重连~

五、在后端Spring Boot 和前端VUE中如何建立通信

1、在Spring Boot 中 pom.xml中添加 websocket依赖

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-websocket</artifactId>
  4. </dependency>

2、创建 WebSocketConfig.java 开启websocket支持

  1. package com.example.demo.websocket;
  2. import org.springframework.context.annotation.Bean;
  3. import org.springframework.context.annotation.Configuration;
  4. import org.springframework.web.socket.server.standard.ServerEndpointExporter;
  5. /**
  6. * 开启WebSocket支持
  7. * @author zh
  8. */
  9. @Configuration
  10. public class WebSocketConfig {
  11. @Bean
  12. public ServerEndpointExporter serverEndpointExporter() {
  13. return new ServerEndpointExporter();
  14. }
  15. }

3、创建 WebSocketServer.java 链接

  1. package com.example.demo.websocket;
  2. import com.alibaba.fastjson.JSON;
  3. import org.slf4j.Logger;
  4. import org.slf4j.LoggerFactory;
  5. import org.springframework.stereotype.Component;
  6. import javax.websocket.*;
  7. import javax.websocket.server.ServerEndpoint;
  8. import java.io.IOException;
  9. import java.util.HashMap;
  10. import java.util.Map;
  11. import java.util.concurrent.CopyOnWriteArraySet;
  12. @ServerEndpoint("/websocket/testsocket")
  13. @Component
  14. public class WebSocketServer {
  15. private static Logger log = LoggerFactory.getLogger(WebSocketServer.class);
  16. //静态变量,用来记录当前在线连接数。应该把它设计成线程安全的。
  17. private static int onlineCount = 0;
  18. //concurrent包的线程安全Set,用来存放每个客户端对应的MyWebSocket对象。
  19. private static CopyOnWriteArraySet<WebSocketServer> webSocketSet = new CopyOnWriteArraySet<WebSocketServer>();
  20. //与某个客户端的连接会话,需要通过它来给客户端发送数据
  21. private Session session;
  22. /**
  23. * 连接建立成功调用的方法*/
  24. @OnOpen
  25. public void onOpen(Session session) {
  26. this.session = session;
  27. webSocketSet.add(this); //加入set中
  28. addOnlineCount(); //在线数加1
  29. log.info("有新窗口开始监听,当前在线人数为" + getOnlineCount());
  30. try {
  31. sendMessage("连接成功");
  32. } catch (Exception e) {
  33. log.error("websocket IO异常");
  34. }
  35. }
  36. /**
  37. * 连接关闭调用的方法
  38. */
  39. @OnClose
  40. public void onClose(Session session) {
  41. try {
  42. webSocketSet.remove(this); //从set中删除
  43. subOnlineCount(); //在线数减1
  44. session.close();
  45. log.info("有一连接关闭!当前在线人数为" + getOnlineCount());
  46. } catch (IOException e) {
  47. e.printStackTrace();
  48. }
  49. }
  50. /**
  51. * 收到客户端消息后调用的方法
  52. *
  53. * @param message 客户端发送过来的消息*/
  54. @OnMessage
  55. public void onMessage(String message, Session session) {
  56. log.info("收到的信息:"+message);
  57. Map<String, Object> maps = new HashMap<>();
  58. maps.put("type", message);
  59. this.sendInfo(maps);
  60. }
  61. /**
  62. *
  63. * @param session
  64. * @param error
  65. */
  66. @OnError
  67. public void onError(Session session, Throwable error) {
  68. log.error("发生错误");
  69. error.printStackTrace();
  70. }
  71. /**
  72. * 实现服务器主动推送
  73. */
  74. public void sendMessage(Object obj) {
  75. try {
  76. synchronized (this.session) {
  77. this.session.getBasicRemote().sendText((JSON.toJSONString(obj)));
  78. }
  79. } catch (Exception e) {
  80. e.printStackTrace();
  81. }
  82. }
  83. /**
  84. * 群发自定义消息
  85. * */
  86. public static void sendInfo(Object obj) {
  87. for (WebSocketServer item : webSocketSet) {
  88. try {
  89. item.sendMessage(obj);
  90. } catch (Exception e) {
  91. continue;
  92. }
  93. }
  94. }
  95. public static synchronized int getOnlineCount() {
  96. return onlineCount;
  97. }
  98. public static synchronized void addOnlineCount() {
  99. WebSocketServer.onlineCount++;
  100. }
  101. public static synchronized void subOnlineCount() {
  102. WebSocketServer.onlineCount--;
  103. }
  104. }

4、创建一个测试调用websocket发送消息 TimerSocketMessage.java (用定时器发送推送消息

  1. package com.example.demo.websocket;
  2. import org.springframework.scheduling.annotation.EnableScheduling;
  3. import org.springframework.scheduling.annotation.Scheduled;
  4. import org.springframework.stereotype.Component;
  5. import java.util.HashMap;
  6. import java.util.Map;
  7. @Component
  8. @EnableScheduling
  9. public class TimerSocketMessage {
  10. /**
  11. * 推送消息到前台
  12. */
  13. @Scheduled(cron = "*/1 * * * * * ")
  14. public void SocketMessage(){
  15. Map<String, Object> maps = new HashMap<>();
  16. maps.put("type", "sendMessage");
  17. maps.put("data","11111");
  18. WebSocketServer.sendInfo(maps);
  19. }
  20. }

5、在VUE中创建和后端 websocket服务的连接并建立心跳机制。

  1. <template>
  2. <div class="hello">
  3. <h1> websocket 消息推送测试:{{data}}</h1>
  4. </div>
  5. </template>
  6. <script>
  7. export default {
  8. name: 'HelloWorld',
  9. data () {
  10. return {
  11. data:0,
  12. timeout: 28 * 1000,//30秒一次心跳
  13. timeoutObj: null,//心跳心跳倒计时
  14. serverTimeoutObj: null,//心跳倒计时
  15. timeoutnum: null,//断开 重连倒计时
  16. websocket: null,
  17. }
  18. },
  19. created () {
  20. // 初始化websocket
  21. this.initWebSocket()
  22. },
  23. methods:{
  24. initWebSocket () {
  25. let url = 'ws://localhost:8086/websocket/testsocket'
  26. this.websocket = new WebSocket(url)
  27. // 连接错误
  28. this.websocket.onerror = this.setErrorMessage
  29. // 连接成功
  30. this.websocket.onopen = this.setOnopenMessage
  31. // 收到消息的回调
  32. this.websocket.onmessage = this.setOnmessageMessage
  33. // 连接关闭的回调
  34. this.websocket.onclose = this.setOncloseMessage
  35. // 监听窗口关闭事件,当窗口关闭时,主动去关闭websocket连接,防止连接还没断开就关闭窗口,server端会抛异常。
  36. window.onbeforeunload = this.onbeforeunload
  37. },
  38. reconnect () { // 重新连接
  39. if(this.lockReconnect) return;
  40. this.lockReconnect = true;
  41. //没连接上会一直重连,设置延迟避免请求过多
  42. this.timeoutnum && clearTimeout(this.timeoutnum);
  43. this.timeoutnum = setTimeout(() => {
  44. //新连接
  45. this.initWebSocket();
  46. this.lockReconnect = false;
  47. }, 5000);
  48. },
  49. reset () { // 重置心跳
  50. // 清除时间
  51. clearTimeout(this.timeoutObj);
  52. clearTimeout(this.serverTimeoutObj);
  53. // 重启心跳
  54. this.start();
  55. },
  56. start () { // 开启心跳
  57. this.timeoutObj && clearTimeout(this.timeoutObj);
  58. this.serverTimeoutObj && clearTimeout(this.serverTimeoutObj);
  59. this.timeoutObj = setTimeout(() => {
  60. // 这里发送一个心跳,后端收到后,返回一个心跳消息,
  61. if (this.websocket && this.websocket.readyState == 1) { // 如果连接正常
  62. this.websocketsend('heartbeat');
  63. } else { // 否则重连
  64. this.reconnect();
  65. }
  66. this.serverTimeoutObj = setTimeout(() => {
  67. //超时关闭
  68. this.websocket.close();
  69. }, this.timeout);
  70. }, this.timeout)
  71. },
  72. setOnmessageMessage (event) {
  73. let obj = JSON.parse(event.data);
  74. console.log("obj",obj)
  75. switch(obj.type) {
  76. case 'heartbeat':
  77. //收到服务器信息,心跳重置
  78. this.reset();
  79. break;
  80. case 'sendMessage':
  81. this.data = obj.data
  82. console.log("接收到的服务器消息:",obj.data)
  83. }
  84. },
  85. setErrorMessage () {
  86. //重连
  87. this.reconnect();
  88. console.log("WebSocket连接发生错误" + ' 状态码:' + this.websocket.readyState)
  89. },
  90. setOnopenMessage () {
  91. //开启心跳
  92. this.start();
  93. console.log("WebSocket连接成功" + ' 状态码:' + this.websocket.readyState)
  94. },
  95. setOncloseMessage () {
  96. //重连
  97. this.reconnect();
  98. console.log( "WebSocket连接关闭" + ' 状态码:' + this.websocket.readyState)
  99. },
  100. onbeforeunload () {
  101. this.closeWebSocket();
  102. },
  103. //websocket发送消息
  104. websocketsend(messsage) {
  105. this.websocket.send(messsage)
  106. },
  107. closeWebSocket() { // 关闭websocket
  108. this.websocket.close()
  109. },
  110. }
  111. }
  112. </script>
  113. <!-- Add "scoped" attribute to limit CSS to this component only -->
  114. <style scoped>
  115. h1, h2 {
  116. font-weight: normal;
  117. }
  118. ul {
  119. list-style-type: none;
  120. padding: 0;
  121. }
  122. li {
  123. display: inline-block;
  124. margin: 0 10px;
  125. }
  126. a {
  127. color: #42b983;
  128. }
  129. </style>

6、启动项目开始测试结果

 

学如逆水行舟,不进则退。心似平原跑马,易放难收。全栈工程师是指掌握多种技能,并能利用多种技能独立完成产品的人。 也叫全端工程师(同时具备前端和后台能力),英文Full Stack engineer。【人工智能】【区块链】【系统/网络/运维】【云计算/大数据】【数据库】【移动开发】【后端开发】【游戏开发】【UI设计】【微服务】【爬虫】【Java】【Go】【C++】【PHP】【Python】【Android/IOS】【HTML/CSS】【JavaScript】【Node】【VUE】【ReactNaive】。。。

欢迎各位大神萌新一起专研分享各行各业技术!

IT全栈工程师技术交流群:593674370

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Monodyee/article/detail/242120
推荐阅读
相关标签
  

闽ICP备14008679号