前几篇分析基于http 协议的netty服务端,今天我们基于Websocket协议的IM实战之netty服务端分析,服务端依然用boot服务,同时扫描netty相关启动项,pom引入和yml配置同几篇类似:
1、pom 引入:
<!-- https://mvnrepository.com/artifact/io.netty/netty-all -->
<dependency>
<groupId>io.netty</groupId>
<artifactId>netty-all</artifactId>
<version>4.1.50.Final</version>
</dependency>
2、yml和boot启动类省略,netty核心配置:
import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.ChannelFuture;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.nio.NioServerSocketChannel;
import org.springframework.stereotype.Component;
@Component
public class WebSocketServer {
private static class SingletionWSServer {
static final WebSocketServer instance = new WebSocketServer();
}
public static WebSocketServer getInstance() {
return SingletionWSServer.instance;
}
private EventLoopGroup mainGroup;
private EventLoopGroup subGroup;
private ServerBootstrap server;
private ChannelFuture future;
public WebSocketServer() {
mainGroup = new NioEventLoopGroup();
subGroup = new NioEventLoopGroup();
server = new ServerBootstrap();
server.group(mainGroup, subGroup)
.channel(NioServerSocketChannel.class)
.childHandler(new WSServerInitialzer());
}
public void start() {
this.future = server.bind("172.17.9.194",8888);
if (future.isSuccess()) {
System.out.println("启动 Netty 成功");
}
}
}
3、WSServerInitialzer 类分析:
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.socket.SocketChannel;
import io.netty.handler.codec.http.HttpObjectAggregator;
import io.netty.handler.codec.http.HttpServerCodec;
import io.netty.handler.codec.http.websocketx.WebSocketServerProtocolHandler;
import io.netty.handler.stream.ChunkedWriteHandler;
import io.netty.handler.timeout.IdleStateHandler;
public class WSServerInitialzer extends ChannelInitializer<SocketChannel> {
@Override
protected void initChannel(SocketChannel channel) throws Exception {
//获取管道(pipeline)
ChannelPipeline pipeline = channel.pipeline();
//websocket 基于http协议,所需要的http 编解码器
pipeline.addLast(new HttpServerCodec());
//在http上有一些数据流产生,有大有小,我们对其进行处理,既然如此,我们需要使用netty 对下数据流写 提供支持,这个类叫:ChunkedWriteHandler
pipeline.addLast(new ChunkedWriteHandler());
//对httpMessage 进行聚合处理,聚合成request或 response
pipeline.addLast(new HttpObjectAggregator(1024*64));
//===========================增加心跳支持==============================
/**
* 针对客户端,如果在1分钟时间内没有向服务端发送读写心跳(ALL),则主动断开连接
* 如果有读空闲和写空闲,则不做任何处理
*/
pipeline.addLast(new IdleStateHandler(8,10,12));
//自定义的空闲状态检测的handler
pipeline.addLast(new HeartBeatHandler());
/**
* 本handler 会帮你处理一些繁重复杂的事情
* 会帮你处理握手动作:handshaking(close、ping、pong) ping+pong = 心跳
* 对于websocket 来讲,都是以frams 进行传输的,不同的数据类型对应的frams 也不同
*/
pipeline.addLast(new WebSocketServerProtocolHandler("/ws"));
//自定义的handler
pipeline.addLast(new ChatHandler());
}
}
4、HeartBeatHandler 监听类分析:
import io.netty.channel.Channel;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInboundHandlerAdapter;
import io.netty.handler.timeout.IdleState;
import io.netty.handler.timeout.IdleStateEvent;
/**
* 用于检测channel 的心跳handler
* 继承ChannelInboundHandlerAdapter,目的是不需要实现ChannelRead0 这个方法
*/
public class HeartBeatHandler extends ChannelInboundHandlerAdapter {
public void userEventTriggered(ChannelHandlerContext ctx, Object evt) throws Exception {
if(evt instanceof IdleStateEvent){
IdleStateEvent event = (IdleStateEvent)evt;//强制类型转化
if(event.state()== IdleState.READER_IDLE){
System.out.println("进入读空闲......");
}else if(event.state() == IdleState.WRITER_IDLE) {
System.out.println("进入写空闲......");
}else if(event.state()== IdleState.ALL_IDLE){
System.out.println("channel 关闭之前:users 的数量为:"+ChatHandler.users.size());
Channel channel = ctx.channel();
//资源释放
channel.close();
System.out.println("channel 关闭之后:users 的数量为:"+ChatHandler.users.size());
}
}
}
}
5、核心 ChatHandler
package org.wdzl.netty;
import io.netty.channel.Channel;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.SimpleChannelInboundHandler;
import io.netty.channel.group.ChannelGroup;
import io.netty.channel.group.DefaultChannelGroup;
import io.netty.handler.codec.http.websocketx.TextWebSocketFrame;
import io.netty.util.concurrent.GlobalEventExecutor;
import java.util.ArrayList;
import java.util.List;
/**
* 用于处理消息的handler
* 由于它的传输数据的载体是frame,这个frame 在netty中,是用于为websocket专门处理文本对象的,
* frame是消息的载体,此类叫:TextWebSocketFrame
*/
public class ChatHandler extends SimpleChannelInboundHandler<TextWebSocketFrame> {
//用于记录和管理所有客户端的channel
public static ChannelGroup users = new DefaultChannelGroup(GlobalEventExecutor.INSTANCE);
@Override
protected void channelRead0(ChannelHandlerContext ctx, TextWebSocketFrame msg) throws Exception {
//获取客户端所传输的消息
String content = msg.text();
//1.获取客户端发来的消息
DataContent dataContent = JsonUtils.jsonToPojo(content, DataContent.class);
Integer action = dataContent.getAction();
Channel channel = ctx.channel();
//2.判断消息类型,根据不同的类型来处理不同的业务
if(action == MsgActionEnum.CONNECT.type){
//2.1 当websocket 第一次open的时候,初始化channel,把用的channel 和 userid 关联起来
String senderId = dataContent.getChatMsg().getSenderId();
UserChanelRel.put(senderId,channel);
//测试
for (Channel c: users) {
System.out.println(c.id().asLongText());
}
UserChanelRel.output();
} else if(action == MsgActionEnum.CHAT.type){
//2.2 聊天类型的消息,把聊天记录保存到数据库,同时标记消息的签收状态[未签收]
ChatMsg chatMsg = dataContent.getChatMsg();
String msgContent = chatMsg.getMsg();
String senderId = chatMsg.getSenderId();
String receiverId = chatMsg.getReceiverId();
//保存消息到数据库,并且标记为未签收
UserServices userServices = (UserServices) SpringUtil.getBean("userServicesImpl");
String msgId = userServices.saveMsg(chatMsg);
chatMsg.setMsgId(msgId);
DataContent dataContentMsg = new DataContent();
dataContentMsg.setChatMsg(chatMsg);
//发送消息
Channel receiverChannel = UserChanelRel.get(receiverId);
if(receiverChannel ==null){
//离线用户
}else{
//当receiverChannel 不为空的时候,从ChannelGroup 去查找对应的channel 是否存在
Channel findChanel = users.find(receiverChannel.id());
if(findChanel!=null){
//用户在线
receiverChannel.writeAndFlush(
new TextWebSocketFrame(
JsonUtils.objectToJson(dataContentMsg)
)
);
}else{
//离线用户
}
}
} else if(action == MsgActionEnum.SIGNED.type){
//2.3 签收消息类型,针对具体的消息进行签收,修改数据库中对应消息的签收状态[已签收]
UserServices userServices = (UserServices) SpringUtil.getBean("userServicesImpl");
//扩展字段在signed 类型消息中 ,代表需要去签收的消息id,逗号间隔
String msgIdsStr = dataContent.getExtand();
String[] msgsId = msgIdsStr.split(",");
List<String> msgIdList = new ArrayList<>();
for (String mid: msgsId) {
if(StringUtils.isNotBlank(mid)){
msgIdList.add(mid);
}
}
System.out.println(msgIdList.toString());
if(msgIdList!=null && !msgIdList.isEmpty() && msgIdList.size()>0){
//批量签收
userServices.updateMsgSigned(msgIdList);
}
} else if(action == MsgActionEnum.KEEPALIVE.type){
//2.4 心跳类型的消息
System.out.println("收到来自channel 为【"+channel+"】的心跳包");
}
}
@Override
public void handlerAdded(ChannelHandlerContext ctx) throws Exception {
users.add(ctx.channel());
}
@Override
public void handlerRemoved(ChannelHandlerContext ctx) throws Exception {
String chanelId = ctx.channel().id().asShortText();
System.out.println("客户端被移除:channel id 为:"+chanelId);
users.remove(ctx.channel());
}
@Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
cause.printStackTrace();
//发生了异常后关闭连接,同时从channelgroup移除
ctx.channel().close();
users.remove(ctx.channel());
}
}
保存用户和连接之间关系的类:UserChanelRel
import io.netty.channel.Channel;
import java.util.HashMap;
import java.util.Map;
/**
* 用户id 和channel 的关联关系处理
*/
public class UserChanelRel {
private static HashMap<String, Channel> manage = new HashMap<>();
public static void put(String senderId,Channel channel){
manage.put(senderId,channel);
}
public static Channel get(String senderId){
return manage.get(senderId);
}
public static void output(){
for (Map.Entry<String,Channel> entry :manage.entrySet()) {
System.out.println("UserId:"+entry.getKey()
+",ChannelId:"+entry.getValue().id().asLongText()
);
}
}
}
对象获取类:SpringUtil
import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
/**
* @Description: 提供手动获取被spring管理的bean对象
*/
public class SpringUtil implements ApplicationContextAware {
private static ApplicationContext applicationContext;
@Override
public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
if (SpringUtil.applicationContext == null) {
SpringUtil.applicationContext = applicationContext;
}
}
// 获取applicationContext
public static ApplicationContext getApplicationContext() {
return applicationContext;
}
// 通过name获取 Bean.
public static Object getBean(String name) {
return getApplicationContext().getBean(name);
}
// 通过class获取Bean.
public static <T> T getBean(Class<T> clazz) {
return getApplicationContext().getBean(clazz);
}
// 通过name,以及Clazz返回指定的Bean
public static <T> T getBean(String name, Class<T> clazz) {
return getApplicationContext().getBean(name, clazz);
}
}
6、控制层添加好友发送信息:
//好友请求处理映射my_friends
@RequestMapping("/operFriendRequest")
@ResponseBody
public IWdzlJSONResult operFriendRequest(String acceptUserId,String sendUserId,Integer operType){
FriendsRequest friendsRequest = new FriendsRequest();
friendsRequest.setAcceptUserId(acceptUserId);
friendsRequest.setSendUserId(sendUserId);
if(operType== OperatorFriendRequestTypeEnum.IGNORE.type){
//满足此条件将需要对好友请求表中的数据进行删除操作
userServices.deleteFriendRequest(friendsRequest);
}else if(operType==OperatorFriendRequestTypeEnum.PASS.type){
//满足此条件表示需要向好友表中添加一条记录,同时删除好友请求表中对应的记录
userServices.passFriendRequest(sendUserId,acceptUserId);
}
//查询好友表中的列表数据
List<MyFriendsVO> myFriends = userServices.queryMyFriends(acceptUserId);
return IWdzlJSONResult.ok(myFriends);
}
7、passFriendRequest 业务接口:
@Override
public void passFriendRequest(String sendUserId, String acceptUserId) {
//进行双向好友数据保存
saveFriends(sendUserId,acceptUserId);
saveFriends(acceptUserId,sendUserId);
//删除好友请求表中的数据
FriendsRequest friendsRequest = new FriendsRequest();
friendsRequest.setSendUserId(sendUserId);
friendsRequest.setAcceptUserId(acceptUserId);
deleteFriendRequest(friendsRequest);
Channel sendChannel = UserChanelRel.get(sendUserId);
if(sendChannel!=null){
//使用websocket 主动推送消息到请求发起者,更新他的通讯录列表为最新
DataContent dataContent = new DataContent();
dataContent.setAction(MsgActionEnum.PULL_FRIEND.type);
//消息的推送
sendChannel.writeAndFlush(new TextWebSocketFrame(JsonUtils.objectToJson(dataContent)));
}
}
8、保存或修改消息的接口
@Override
public String saveMsg(ChatMsg chatMsg) {
org.wdzl.pojo.ChatMsg msgDB = new org.wdzl.pojo.ChatMsg();
String msgId = sid.nextShort();
msgDB.setId(msgId);
msgDB.setAcceptUserId(chatMsg.getReceiverId());
msgDB.setSendUserId(chatMsg.getSenderId());
msgDB.setCreateTime(new Date());
msgDB.setSignFlag(MsgSignFlagEnum.unsign.type);
msgDB.setMsg(chatMsg.getMsg());
chatMsgMapper.insert(msgDB);
return msgId;
}
@Override
public void updateMsgSigned(List<String> msgIdList) {
userMapperCustom.batchUpdateMsgSigned(msgIdList);
}
聊天实体:
import java.io.Serializable;
@Data
public class ChatMsg implements Serializable {
private String senderId;//发送者id
private String receiverId;//接收者id
private String msg;//聊天内容
private String msgId; //用于消息的签收
}
到此、netty服务端基于websocket协议分享完毕,下篇我们分享前端的一些基于websocket的伪代码,敬请期待!