foreword
Recently, there is a private message function in the project, which needs to use websocket, so I searched for information on the Internet and summarized a little experience in practice to share with you.
problem
Before proceeding, let me throw a question:
The SpringBoot project integrates webSocket. When the client establishes a connection with the server, it is found that the server object is not injected but null.
Cause: Spring manages singletons, which conflict with websockets (multiple objects).
Detailed explanation: When the project is initialized, it will initialize the websocket (non-user connected), and spring will inject service for it at the same time. The service of the object is not null and is successfully injected. However, since spring manages a singleton by default, the service will only be injected once. When the client connects with the server, the server will create a new websocket object. At this time, the problem arises: spring manages all singletons, and does not inject service into the second websocket object, so as long as it is The websocket object created by the user connection can no longer be injected.
For example, there is service in the controller, and dao in the service. Because controller, service, and dao are all singletons, null will not be reported during injection. But websocket is not a singleton, so after using spring to inject once, the following objects will not be injected again, and NullException will be reported.
The solution will be described below.
operate
1. Introduce websocket dependency package
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-websocket</artifactId>
</dependency>
2. Configure websocket
@Configuration
@EnableWebSocket
public class WebSocketConfig implements WebSocketConfigurer {
@Override
public void registerWebSocketHandlers(WebSocketHandlerRegistry webSocketHandlerRegistry) {
// webSocket通道
// 指定处理器和路径,如:http://www.baidu.com/service-name/websocket?uid=xxxx
webSocketHandlerRegistry.addHandler(new WebSocketHandler(), "/websocket")
// // 指定自定义拦截器
.addInterceptors(new WebSocketInterceptor())
// 允许跨域
.setAllowedOrigins("*");
}
}
3. Add the parameter class
public class WebSocketInterceptor implements HandshakeInterceptor {
/**
* handler处理前调用,attributes属性最终在WebSocketSession里,可能通过webSocketSession.getAttributes().get(key值)获得
*/
@Override
public boolean beforeHandshake(org.springframework.http.server.ServerHttpRequest request, ServerHttpResponse serverHttpResponse, org.springframework.web.socket.WebSocketHandler webSocketHandler, Map<String, Object> map) throws Exception {
if (request instanceof ServletServerHttpRequest) {
ServletServerHttpRequest serverHttpRequest = (ServletServerHttpRequest) request;
// 获取请求路径携带的参数
String uid = serverHttpRequest.getServletRequest().getParameter("uid");
map.put("uid", uid);
return true;
} else {
return false;
}
}
@Override
public void afterHandshake(org.springframework.http.server.ServerHttpRequest serverHttpRequest, ServerHttpResponse serverHttpResponse, org.springframework.web.socket.WebSocketHandler webSocketHandler, Exception e) {
}
}
resolves the server object @Autowired injection as null
@Component
public class SpringContext implements ApplicationContextAware {
/**
* 打印日志
*/
private Logger logger = LoggerFactory.getLogger(getClass());
/**
* 获取上下文对象
*/
private static ApplicationContext applicationContext;
@Override
public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
SpringContext.applicationContext = applicationContext;
logger.info("set applicationContext");
}
/**
* 获取 applicationContext
*
* @return
*/
public static ApplicationContext getApplicationContext() {
return applicationContext;
}
/**
* 通过 name 获取 bean 对象
*
* @param name
* @return
*/
public static Object getBean(String name) {
return getApplicationContext().getBean(name);
}
/**
* 通过 class 获取 bean 对象
*
* @param clazz
* @param <T>
* @return
*/
public static <T> T getBean(Class<T> clazz) {
return getApplicationContext().getBean(clazz);
}
/**
* 通过 name,clazz 获取指定的 bean 对象
*
* @param name
* @param clazz
* @param <T>
* @return
*/
public static <T> T getBean(String name, Class<T> clazz) {
return getApplicationContext().getBean(name, clazz);
}
}
5. Add websocket to receive and send message class
@Component
public class WebSocketHandler extends AbstractWebSocketHandler {
private static Logger log = LoggerFactory.getLogger(WebSocketHandler.class);
public AccountFeignClient getAccountFeignClient() {
return SpringContext.getBean(AccountFeignClient.class);
}
public NotifyMailboxService getNotifyMailboxService() {
return SpringContext.getBean(NotifyMailboxService.class);
}
public NotifyMailboxMessageService getNotifyMailboxMessageService() {
return SpringContext.getBean(NotifyMailboxMessageService.class);
}
/**
* 存储sessionId和webSocketSession
* 需要注意的是,webSocketSession没有提供无参构造,不能进行序列化,也就不能通过redis存储
* 在分布式系统中,要想别的办法实现webSocketSession共享
*/
private static Map<String, WebSocketSession> sessionMap = new ConcurrentHashMap<>();
private static Map<String, String> userMap = new ConcurrentHashMap<>();
/**
* webSocket连接创建后调用
*/
@Override
public void afterConnectionEstablished(WebSocketSession session) {
// 获取参数
String uid = String.valueOf(session.getAttributes().get("uid"));
String sessionId = session.getId();
log.info("init websocket uid={},sessionId={}", uid, sessionId);
userMap.put(uid, sessionId);
sessionMap.put(sessionId, session);
}
/**
* 前端发送消息到后台
* 接收到消息会调用
*/
@Override
public void handleMessage(WebSocketSession session, WebSocketMessage<?> message) throws Exception {
//A用户发送前端消息到后台,后台要保存A消息,并且向B用户推送消息
if (message instanceof TextMessage) {
log.info("message={}", message);
} else if (message instanceof BinaryMessage) {
} else if (message instanceof PongMessage) {
} else {
log.info("Unexpected WebSocket message type: " + message);
}
String uid = String.valueOf(session.getAttributes().get("uid"));
String messages = (String) message.getPayload();
ObjectMapper mapper = new ObjectMapper();
HashMap<String, Object> map = mapper.readValue(messages, HashMap.class);
String _uid = (String) map.get("uid");
// String _dialogId = (String) map.get("dialogId");
String _friendId = (String) map.get("friendId");
String _message = (String) map.get("message");
String sessionId = session.getId();
log.info("sessionId={},uid={},_uid={},_friendId={},_message={}", sessionId, uid, _uid, _friendId, _message);
if (!StringUtils.hasLength(sessionId) || !StringUtils.hasLength(_uid) || !StringUtils.hasLength(_friendId)) {
log.info("sessionId&_uid&_friendId不能为空");
session.sendMessage(new TextMessage("error:sessionId&_uid&_friendId不能为空"));
return;
}
String dialogId = pushMessage(_uid, _friendId, _message);
if (dialogId != null) {
TextMessage textMessage = new TextMessage("dialogId:" + dialogId);
// 向自己的ws推送消息
session.sendMessage(textMessage);
String sessionIdForFriend = userMap.get(_friendId);
log.info("sessionIdForFriend={}", sessionIdForFriend);
if (StringUtils.hasLength(sessionIdForFriend)) {
WebSocketSession friendSession = sessionMap.get(sessionIdForFriend);
if (friendSession != null && friendSession.isOpen())
// 向朋友推送消息
friendSession.sendMessage(textMessage);
}
}
}
/**
* 连接出错会调用
*/
@Override
public void handleTransportError(WebSocketSession session, Throwable exception) {
String uid = String.valueOf(session.getAttributes().get("uid"));
String sessionId = session.getId();
log.info("CLOSED uid= ={},sessionId={}", uid, sessionId);
sessionMap.remove(sessionId);
}
/**
* 连接关闭会调用
*/
@Override
public void afterConnectionClosed(WebSocketSession session, CloseStatus status) {
String uid = String.valueOf(session.getAttributes().get("uid"));
String sessionId = session.getId();
log.info("CLOSED uid= ={},sessionId={}", uid, sessionId);
sessionMap.remove(sessionId);
}
@Override
public boolean supportsPartialMessages() {
return false;
}
/**
* 后台发送消息到前端
* 封装方法发送消息到客户端
*/
public static void sendMessage(String uid, String dialogId) {
log.info("发送消息到:");
}
/**
* @param uid
* @param friendId
* @param message
* @return
*/
private String pushMessage(String uid, String friendId, String message) {
log.info("uid={},friendId={},message={}", uid, friendId, message);
NotifyMailboxService notifyMailboxService = getNotifyMailboxService();
NotifyMailboxMessageService notifyMailboxMessageService = getNotifyMailboxMessageService();
try {
NotifyMailbox notifyMailbox = notifyMailboxService.queryBy(uid, friendId);
} catch (Exception e) {
log.info("exception msg={}", e.getMessage());
return null;
}
}
}
websocket front-end status code readyState
0 CONNECTING 连接尚未建立
1 OPEN WebSocket的链接已经建立
2 CLOSING 连接正在关闭
3 CLOSED 连接已经关闭或不可用
Summarize
1. The server object is not injected but is null, so add the SpringContext class above and refer to it in the following way
public AccountFeignClient getAccountFeignClient() {
return SpringContext.getBean(AccountFeignClient.class);
}
public NotifyMailboxService getNotifyMailboxService() {
return SpringContext.getBean(NotifyMailboxService.class);
}
public NotifyMailboxMessageService getNotifyMailboxMessageService() {
return SpringContext.getBean(NotifyMailboxMessageService.class);
}
2. The connection between websocket and the closed session corresponds to the problem. It is no problem to use the above code, otherwise there will be connection problems.
3. WebSocketInterceptor
will obtain https://www.baidu.com/service-name/websocket?uid=xxx
and inject it into the session, so the WebSocketHandler
class can obtain the uid parameter in the session.
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。