Springboot+WebSocket实现消息推送

WebSocket是一种在单个TCP连接上进行全双工通信的协议。WebSocket通信协议于2011年被IETF定为标准RFC 6455,并由RFC7936补充规范。WebSocketAPI也被W3C定为标准。

WebSocket使得客户端和服务器之间的数据交换变得更加简单,允许服务端主动向客户端推送数据。在WebSocket API中,浏览器和服务器只需要完成一次握手,两者之间就直接可以创建持久性的连接,并进行双向数据传输。
创建定时任务,实现定时向前端推送相关消息。
创建存放ws推送的参数缓存Map,定时任务获取参数,获取数据后推送。

引入依赖

<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-websocket</artifactId></dependency>

开启WebSocket支持的配置类

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.socket.server.standard.ServerEndpointExporter;/*** 功能描述:* 开启websocket支持*/
@Configuration
public class WebSocketConfig {// 使用boot内置tomcat时需要注入此bean@Beanpublic ServerEndpointExporter serverEndpointExporter() {return new ServerEndpointExporter();}
}

WebSocketServer服务端

import org.apache.commons.lang.StringUtils;
import org.apache.logging.log4j.LogManager;
import org.apache.logging.log4j.Logger;
import org.springframework.stereotype.Component;
import javax.websocket.*;
import javax.websocket.server.PathParam;
import javax.websocket.server.ServerEndpoint;
import java.io.IOException;
import java.util.concurrent.ConcurrentHashMap;/*** 功能描述:* WebSocketServer服务端*/
// @ServerEndpoint 注解是一个类层次的注解,它的功能主要是将目前的类定义成一个websocket服务器端。注解的值将被用于监听用户连接的终端访问URL地址
// encoders = WebSocketCustomEncoding.class 是为了使用ws自己的推送Object消息对象(sendObject())时进行解码,通过Encoder 自定义规则(转换为JSON字符串)
@ServerEndpoint(value = "/websocket/{userId}",encoders = WebSocketCustomEncoding.class)
@Component
public class WebSocket {private final static Logger logger = LogManager.getLogger(WebSocket.class);/*** 静态变量,用来记录当前在线连接数。应该把它设计成线程安全的*/private static int onlineCount = 0;/*** concurrent包的线程安全Map,用来存放每个客户端对应的MyWebSocket对象*/public static ConcurrentHashMap<String, WebSocket> webSocketMap = new ConcurrentHashMap<>();/**** 功能描述:* concurrent包的线程安全Map,用来存放每个客户端对应的MyWebSocket对象的参数体*/public static ConcurrentHashMap<String, PushParams> webSocketParamsMap = new ConcurrentHashMap<>();/*** 与某个客户端的连接会话,需要通过它来给客户端发送数据*/private Session session;private String userId;/*** 连接建立成功调用的方法* onOpen 和 onClose 方法分别被@OnOpen和@OnClose 所注解。他们定义了当一个新用户连接和断开的时候所调用的方法。*/@OnOpenpublic void onOpen(Session session, @PathParam("userId") String userId) {this.session = session;this.userId = userId;//加入mapwebSocketMap.put(userId, this);addOnlineCount();           //在线数加1logger.info("用户{}连接成功,当前在线人数为{}", userId, getOnlineCount());try {sendMessage(String.valueOf(this.session.getQueryString()));} catch (IOException e) {logger.error("IO异常");}}/*** 连接关闭调用的方法*/@OnClosepublic void onClose() {//从map中删除webSocketMap.remove(userId);subOnlineCount();           //在线数减1logger.info("用户{}关闭连接!当前在线人数为{}", userId, getOnlineCount());}/*** 收到客户端消息后调用的方法* onMessage 方法被@OnMessage所注解。这个注解定义了当服务器接收到客户端发送的消息时所调用的方法。* @param message 客户端发送过来的消息*/@OnMessagepublic void onMessage(String message, Session session) {logger.info("来自客户端用户:{} 消息:{}",userId, message);//群发消息/*for (String item : webSocketMap.keySet()) {try {webSocketMap.get(item).sendMessage(message);} catch (IOException e) {e.printStackTrace();}}*/}/*** 发生错误时调用** @OnError*/@OnErrorpublic void onError(Session session, Throwable error) {logger.error("用户错误:" + this.userId + ",原因:" + error.getMessage());error.printStackTrace();}/*** 向客户端发送消息*/public void sendMessage(String message) throws IOException {this.session.getBasicRemote().sendText(message);//this.session.getAsyncRemote().sendText(message);}/*** 向客户端发送消息*/public void sendMessage(Object message) throws IOException, EncodeException {this.session.getBasicRemote().sendObject(message);//this.session.getAsyncRemote().sendText(message);}/*** 通过userId向客户端发送消息*/public void sendMessageByUserId(String userId, String message) throws IOException {logger.info("服务端发送消息到{},消息:{}",userId,message);if(StringUtils.isNotBlank(userId)&&webSocketMap.containsKey(userId)){webSocketMap.get(userId).sendMessage(message);}else{logger.error("用户{}不在线",userId);}}/*** 通过userId向客户端发送消息*/public void sendMessageByUserId(String userId, Object message) throws IOException, EncodeException {logger.info("服务端发送消息到{},消息:{}",userId,message);if(StringUtils.isNotBlank(userId)&&webSocketMap.containsKey(userId)){webSocketMap.get(userId).sendMessage(message);}else{logger.error("用户{}不在线",userId);}}/*** 通过userId更新缓存的参数*/public void changeParamsByUserId(String userId, PushParams pushParams) throws IOException, EncodeException {logger.info("ws用户{}请求参数更新,参数:{}",userId,pushParams.toString());webSocketParamsMap.put(userId,pushParams);}/*** 群发自定义消息*/public static void sendInfo(String message) throws IOException {for (String item : webSocketMap.keySet()) {try {webSocketMap.get(item).sendMessage(message);} catch (IOException e) {continue;}}}public static synchronized int getOnlineCount() {return onlineCount;}public static synchronized void addOnlineCount() {WebSocket.onlineCount++;}public static synchronized void subOnlineCount() {WebSocket.onlineCount--;}}

Encoder 自定义规则(转换为JSON字符串)

import com.alibaba.fastjson.JSON;
import javax.websocket.EncodeException;
import javax.websocket.Encoder;
import javax.websocket.EndpointConfig;/*** 在 websocket 中直接发送 obj 会有问题 - No encoder specified for object of class* 需要对 obj 创建解码类,实现 websocket 中的 Encoder.Text<>* */
public class WebSocketCustomEncoding implements Encoder.Text<Object> {/*** The Encoder interface defines how developers can provide a way to convert their* custom objects into web socket messages. The Encoder interface contains* subinterfaces that allow encoding algorithms to encode custom objects to:* text, binary data, character stream and write to an output stream.** Encoder 接口定义了如何提供一种方法将定制对象转换为 websocket 消息* 可自定义对象编码为文本、二进制数据、字符流、写入输出流*  Text、TextStream、Binary、BinaryStream* */@Overridepublic void init(EndpointConfig endpointConfig) {}@Overridepublic void destroy() {}@Overridepublic String encode(Object o) throws EncodeException {return JSON.toJSONString(o);}
}

自定义消息推送的参数体

/*** 功能描述:** @description: ws推送的参数结构*/
@Data
public class PushParams {/*** 功能描述:* 类型*/private String type;/*** 功能描述:* 开始时间*/private String startTime;/*** 功能描述:* 结束时间*/private String stopTime;
}

根据用户ID更新ws推送的参数,或者使用onMessage修改缓存的结构体

import com.company.project.common.websocket.PushParams;
import com.company.project.common.websocket.WebSocket;
import com.company.project.service.TestMongodbService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import javax.websocket.EncodeException;
import java.io.IOException;/*** 功能描述:* 建立WebSocket连接* @Author: LXD* @Date: 2022-12-01 09:55:00* @since: 1.0.0*/
@RestController
@RequestMapping("/webSocketPush")
public class WebSocketController {@Autowiredprivate WebSocket webSocket;@Autowiredprivate TestMongodbService testMongodbService;@RequestMapping("/sentMessage")public void sentMessage(String userId,String message){try {webSocket.sendMessageByUserId(userId,message);} catch (IOException e) {e.printStackTrace();}}@RequestMapping("/sentObjectMessage")public void sentObjectMessage(String userId){try {webSocket.sendMessageByUserId(userId,testMongodbService.query());} catch (IOException e) {e.printStackTrace();} catch (EncodeException e) {e.printStackTrace();}}/**** 功能描述:* 根据用户ID更新ws推送的参数* @Param  userId: WS中的用户ID* @Param pushParams: 推送参数* @return: void* @since: 1.0.0*/@RequestMapping("/changeWsParams")public void changeWsParams(String userId, PushParams pushParams){try {webSocket.changeParamsByUserId(userId,pushParams);} catch (IOException e) {e.printStackTrace();} catch (EncodeException e) {e.printStackTrace();}}}

创建定时推送的任务

import com.company.project.service.TestMongodbService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Configuration;
import org.springframework.scheduling.annotation.EnableScheduling;
import org.springframework.scheduling.annotation.Scheduled;
import javax.websocket.EncodeException;
import java.io.IOException;
import java.util.concurrent.ConcurrentHashMap;
import static com.company.project.common.websocket.WebSocket.webSocketMap;
import static com.company.project.common.websocket.WebSocket.webSocketParamsMap;/*** 功能描述:** @description: ws定时推送*/
@Configuration
@EnableScheduling
public class WebsocketSchedule {@Autowiredprivate WebSocket webSocket;@Autowiredprivate TestMongodbService testMongodbService;// 第一次延迟1秒后执行,之后按fixedRate的规则每5秒执行一次 fixedRateString 与 fixedRate 意思相同,只是使用字符串的形式。唯一不同的是支持占位符@Scheduled(initialDelay=1000, fixedRateString = "${ws.pushInterval}")public void pushData() throws EncodeException, IOException {ConcurrentHashMap<String, WebSocket> webSocketPushMap = webSocketMap;ConcurrentHashMap<String, PushParams> webSocketPushParamsMap = webSocketParamsMap;if(!webSocketPushMap.isEmpty()){for(String key : webSocketPushMap.keySet()){// 根据ws连接用户ID获取推送参数PushParams pushParams = webSocketPushParamsMap.get(key);webSocket.sendMessageByUserId(key,testMongodbService.query());}}}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/20371.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

学习率调整

学习率调整 import mathdef adjust_learning_rate(optimizer, epoch, args):"""Decay the learning rate with half-cycle cosine after warmup"""if epoch < args.warmup_epochs:lr args.lr * epoch / args.warmup_epochs else:lr args.m…

不是,你不会还在用双层遍历循环来做新旧数组对比,寻找新增元素吧?

目录 一、双层循环遍历 1.1、双循环错误示范 1.2、正确的做法 ①使用array.includes() ②使用set 二、array.includes()的使用与技巧 2.1、基本语法 2.2、返回值 2.3、使用技巧 2.3.1、用户输入验证 2.3.2、权限检查 2.4、兼容问题 三、总结 一、双层循环遍历 1.…

【重学C语言】十七、预处理指令

【重学C语言】十七、预处理指令 预处理指令预定义宏`#define` 宏定义示例注意事项特殊符号条件编译头文件包含`#pragma`预处理指令 C语言中的预处理指令(Preprocessor Directives)是一种特殊的指令,它们在编译过程的早期阶段(即实际编译之前)被预处理器(Preprocessor)处…

OpenCV学习 基础图像操作(十六):图像距离变换

基础原理 顾名思义&#xff0c;我们可以利用像素之间的距离作为对该像素的一种刻画&#xff0c;并将其运用到相应的计算之中。然而&#xff0c;在一幅图像之中&#xff0c;某种类型的像素并不是唯一的&#xff0c;因此我门常计算的是一类像素到另一类的最小距离&#xff0c;并…

My Spirit | “顶级复盘”

世界不会在意你的自尊&#xff0c; 人们看到的只是你的成就。 在你没有成就之前&#xff0c; 切勿过分强调自尊。 ——菲茨杰拉德《了不起的盖茨比》 目录 My Spirit | “顶级复盘”00 | 日复盘01 | 周复盘2.1 周计划2.2 周复盘2.3 下步计划2.4 下步总结 02 | 月复盘2.1 本月目…

香橙派KunPengPro评测

一、引言 二、开箱 2.1、主要包含说明 1、充电器(赠typec-c线) 2、香橙派kunpengpro(已经带装好带散热器) 3、SD卡(32G)(已经带装好系统openEuler 22.03 (LTS-SP3)) (注意&#xff1a;上电接HDMI线可直接用&#xff0c;账号&#xff1a;openEuler 密码&#xff1a;openEuler)…

vue使用tailwindcss

安装依赖 pnpm add -D tailwindcss postcss autoprefixer创建配置文件tailwind.config.js npx tailwindcss init在配置文件content中添加所有模板文件的路径 /** type {import(tailwindcss).Config} */ export default {content: [./index.html, ./src/**/*.{vue,js,ts,jsx,…

【Linux】开发工具入门指南,轻松掌握你的开发利器

开发工具 1. 软件包管理器yum1.1 软件包安装方式1.2 yum的"三板斧"1.3 yum的周边 2. 开发工具3. 编辑器vim4. 编译器gcc、g5. 项目自动化构建工具make、Makefile6. 进度条小程序7. 调试器gdb 1. 软件包管理器yum 1.1 软件包安装方式 源代码安装&#xff1a;用户手动…

微信小程序 npm构建+vant-weaap安装

微信小程序&#xff1a;工具-npm构建 报错 解决&#xff1a; 1、新建miniprogram文件后&#xff0c;直接进入到miniprogram目录&#xff0c;再次执行下面两个命令&#xff0c;然后再构建npm成功 npm init -y npm install express&#xff08;Node js后端Express开发&#xff…

智慧校园的机遇与挑战

随着5G、物联网、大数据等技能的日渐老练&#xff0c;数字化正在渗透到各行各业中&#xff0c;为事务立异和价值增加供给支撑。在教育职业&#xff0c;运用智能化体系赋能教育办理越来越受欢迎&#xff0c;教育信息化方针一再出台&#xff0c;进一步加快了智慧校园落地的脚步。…

Linux - 文件管理高级 sed

3.处理字符 sed ① sed 默认情况下不会修改原文件内容 ② sed 是一种非交互式的编辑器 3.1 工作原理 将原文件一行一行的进行处理&#xff0c;取出一行&#xff0c;放入“模式空间进行处理”&#xff0c;处理完成之后将结果输出到屏幕上&#xff0c;然后读取下一行&#xf…

彭涛 | 2024年5月小结

5月份还是蛮有刺激的&#xff0c;做了蛮多的事情&#xff0c;但是没赚到钱&#xff0c;真是一屯操作猛如虎&#xff0c;一看账户0.5。 就喜欢创业这种一天天累死累活还不赚钱的感觉&#xff0c;哈哈哈哈 老规矩简单说下这个月的情况&#xff0c;如果对你有收获就最好了。 游学丹…

测绘外业需要注意些什么?

在进行测绘外业时&#xff0c;需要注意的事项涉及多个方面&#xff0c;包括充分的准备工作、合理的设备选择、精确的操作技巧以及细致的数据处理。下面将具体展开这些要点&#xff1a; 1. 充分准备 - 了解任务要求&#xff1a;在开始外业工作前&#xff0c;需要明确测绘的目…

VUE框架前置知识总结

一、前言 在学习vue框架中&#xff0c;总是有些知识不是很熟悉&#xff0c;又不想系统的学习JS&#xff0c;因为学习成本太大了&#xff0c;所以用到什么知识就学习什么知识。此文档就用于记录零散的知识点。主要是还是针对与ES6规范的JS知识点。 以下实验环境都是在windows环…

头歌页面置换算法第2关:计算OPT算法缺页率

2 任务:OPT算法 2.1 任务描述 设计OPT页面置换算法模拟程序:从键盘输入访问串。计算OPT算法在不同内存页框数时的缺页数和缺页率。要求程序模拟驻留集变化过程,即能模拟页框装入与释放过程。 2.2任务要求 输入串长度作为总页框数目,补充程序完成OPT算法。 2.3算法思路 OPT算…

【Tlias智能学习辅助系统】04 部门管理 删除 和 新增

Tlias智能学习辅助系统 04 部门管理 删除 和 新增 删除部门APIDeptController.javaDeptService.javaDeptServiceImpl.javaDeptMapper.java前端联调 新增部门API有一步简化DeptController.javaDeptService.javaDeptServiceImpl.javaDeptMapper.java前端联调 删除部门API 请求路径…

31-ESP32-S3-WIFI篇-02 Event Group (事件标记组)

ESP32-S3-WIFI 事件标记组 介绍 在ESP32-S3的WiFi驱动程序中&#xff0c;事件标记组&#xff08;Event Group&#xff09;是一个非常重要的概念。它是FreeRTOS中的一种同步机制&#xff0c;用于在任务之间传递和同步事件。在WiFi驱动程序中&#xff0c;我们使用事件标记组来通…

Go 语言字符串及 strings 和 strconv 包

在 Go 语言编程中&#xff0c;字符串是最基本、最常用的数据类型之一。无论是处理用户输入、读取文件内容&#xff0c;还是生成输出&#xff0c;字符串操作无处不在。为了方便开发者对字符串进行各种操作&#xff0c;Go 语言提供了强大的 strings 包和 strconv 包。strings 包包…

Selenium+Java 环境搭建

selenium 介绍 Selenium 是 web 应用中基于 UI 的自动化测试框架&#xff0c;支持多平台、多浏览器、多语言。 早期的 selenium RC 已经被现在的 webDriver 所替代&#xff0c;可以简单的理解为selenium1.0webdriver 构成 现在的 Selenium2.0 。现在我们说起 selenium &#xf…

适合学生写作业的台灯有哪些?台灯怎么选详细攻略!

在数字化飞速发展的今天&#xff0c;孩子们的学习和生活越来越离不开电子屏幕。然而&#xff0c;长时间盯着屏幕&#xff0c;不仅容易让眼睛感到疲劳&#xff0c;更是近视问题日益严重的元凶之一。每一位家长都希望孩子能拥有健康的视力&#xff0c;因此会为孩子挑选一台护眼灯…