SpringBoot整合Websocket实现即时聊天功能

近期,公司需要新增即时聊天的业务,于是用websocket 整合到Springboot完成业务的实现。

一、我们来简单的介绍下websocket的交互原理:

1.客户端先服务端发起websocket请求;

2.服务端接收到请求之后,把请求响应返回给客户端;

3.客户端与服务端只需要一次握手即可完成交互通道;


  二、webscoket支持的协议:基于TCP协议下,http协议和https协议;

  http协议 springboot不需要做任何的配置 

  https协议则需要配置nignx代理,注意证书有效的问题  ---在这不做详细说明

  三、开始我们的实现java后端的实现

  1.添加依赖

  <!-- websocket -->

        <dependency>

            <groupId>org.springframework.boot</groupId>

            <artifactId>spring-boot-starter-websocket</artifactId>

        </dependency>

        <dependency>

            <groupId>org.springframework</groupId>

            <artifactId>spring-websocket</artifactId>

            <version>${spring.version}</version>

        </dependency>

        <dependency>

            <groupId>org.springframework</groupId>

            <artifactId>spring-messaging</artifactId>

            <version>${spring.version}</version>

        </dependency>

        <!-- WebSocket -->

  2.配置config

@ConditionalOnWebApplication

@Configuration

@EnableWebSocketMessageBroker

public class WebSocketConfig extends AbstractSessionWebSocketMessageBrokerConfigurer {

    @Bean

    public ServerEndpointExporter serverEndpointExporter(){

        return  new ServerEndpointExporter();

    }

    @Bean

    public CustomSpringConfigurator customSpringConfigurator() {

        return new CustomSpringConfigurator();

    }

    @Override

    protected void configureStompEndpoints(StompEndpointRegistry registry) {

        registry.addEndpoint("/websocket").setAllowedOrigins("*")

                .addInterceptors(new HttpSessionHandshakeInterceptor()).withSockJS();

    }


public class CustomSpringConfigurator extends ServerEndpointConfig.Configurator implements ApplicationContextAware {

    private static volatile BeanFactory context;

    @Override

    public <T> T getEndpointInstance(Class<T> clazz) throws InstantiationException {

        return context.getBean(clazz);

    }

    @Override

    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {

        CustomSpringConfigurator.context = applicationContext;

    }

    @Override

    public void modifyHandshake(ServerEndpointConfig sec,

                                HandshakeRequest request, HandshakeResponse response) {

        super.modifyHandshake(sec,request,response);

        HttpSession httpSession=(HttpSession) request.getHttpSession();

        if(httpSession!=null){

            sec.getUserProperties().put(HttpSession.class.getName(),httpSession);

        }

    }

}

@SpringBootApplication

@EnableCaching

@ComponentScan("com")

@EnableWebSocket

public class Application extends SpringBootServletInitializer {

static final Logger logger = LoggerFactory.getLogger(Application.class);

    @Override

    protected SpringApplicationBuilder configure(SpringApplicationBuilder application) {

        return application.sources(Application.class);

    }

需要注意的是: @EnableWebSocket  一定要加在启动类上,不然springboot无法对其扫描进行管理;

@SeverEndpoint --将目标类定义成一个websocket服务端,注解对应的值将用于监听用户连接的终端访问地址,客户端可以通过URL来连接到websocket服务端。

四、设计思路:用map<房间id, 用户set>来保存房间对应的用户连接列表,当有用户进入一个房间的时候,就会先检测房间是否存在,如果不存在那就新建一个空的用户set,再加入本身到这个set中,确保不同房间号里的用户session不串通!

/**

* Create by wushuyu

* on 2020/4/30 13:24

*

*/

@ServerEndpoint(value = "/websocket/{roomName}", configurator = CustomSpringConfigurator.class)

@Component

public class WebSocketRoom {

    //连接超时--一天

    private static final long MAX_TIME_OUT = 24*60*60*1000;

    // key为房间号,value为该房间号的用户session

    private static final Map<String, Set<Session>> rooms = new ConcurrentHashMap<>();

    //将用户的信息存储在一个map集合里

    private static final Map<String, Object> users = new ConcurrentHashMap<>();

/**

*{roomName} 使用通用跳转,实现动态获取房间号和用户信息  格式:roomId|xx|xx

*/

    @OnOpen 

    public void connect(@PathParam("roomName") String roomName, Session session) {

        String roomId = roomName.split("[|]")[0];

        String nickname = roomName.split("[|]")[1];

        String loginId = roomName.split("[|]")[2];

        //设置连接超时时间

            session.setMaxIdleTimeout(MAX_TIME_OUT);

        try {


          //可实现业务逻辑

            }

            // 将session按照房间名来存储,将各个房间的用户隔离

            if (!rooms.containsKey(roomId)) {

                // 创建房间不存在时,创建房间

                Set<Session> room = new HashSet<>();

                // 添加用户

                room.add(session);

                rooms.put(roomId, room);

            } else { // 房间已存在,直接添加用户到相应的房间             

                if (rooms.values().contains(session)) {//如果房间里有此session直接不做操作

                } else {//不存在则添加

                    rooms.get(roomId).add(session);

                }

            }

            JSONObject jsonObject = new JSONObject();

            -----

            //根据自身业务情况实现业务

            -----

            users.put(session.getId(), jsonObject);

            //向在线的人发送当前在线的人的列表    -------------可有可无,看业务需求

            List<ChatMessage> userList = new LinkedList<>();

            rooms.get(roomId)

                    .stream()

                    .map(Session::getId)

                    .forEach(s -> {

                        ChatMessage chatMessage = new ChatMessage();

                        chatMessage.setDate(new Date());

                        chatMessage.setStatus(1);

                        chatMessage.setChatContent(users.get(s));

                        chatMessage.setMessage("");

                        userList.add(chatMessage);

                    });

//        session.getBasicRemote().sendText(JSON.toJSONString(userList));

            //向房间的所有人群发谁上线了

            ChatMessage chatMessage = new ChatMessage();  ----将聊天信息封装起来。

            chatMessage.setDate(new Date());

            chatMessage.setStatus(1);

            chatMessage.setChatContent(users.get(session.getId()));

            chatMessage.setMessage("");

            broadcast(roomId, JSON.toJSONString(chatMessage));

            broadcast(roomId, JSON.toJSONString(userList));

        } catch (Exception e) {

            e.printStackTrace();

        }

    }

    @OnClose

    public void disConnect(@PathParam("roomName") String roomName, Session session) {

        String roomId = roomName.split("[|]")[0];

        String loginId = roomName.split("[|]")[2];

        try {

            rooms.get(roomId).remove(session);

            ChatMessage chatMessage = new ChatMessage();

            chatMessage.setDate(new Date());

            chatMessage.setUserName(user.getRealname());

            chatMessage.setStatus(0);

            chatMessage.setChatContent(users.get(session.getId()));

            chatMessage.setMessage("");

            users.remove(session.getId());

            //向在线的人发送当前在线的人的列表  ----可有可无,根据业务要求

            List<ChatMessage> userList = new LinkedList<>();

            rooms.get(roomId)

                    .stream()

                    .map(Session::getId)

                    .forEach(s -> {

                        ChatMessage chatMessage1 = new ChatMessage();

                        chatMessage1.setDate(new Date());

                        chatMessage1.setUserName(user.getRealname());

                        chatMessage1.setStatus(1);

                        chatMessage1.setChatContent(users.get(s));

                        chatMessage1.setMessage("");

                        userList.add(chatMessage1);

                    });

            broadcast(roomId, JSON.toJSONString(chatMessage));

            broadcast(roomId, JSON.toJSONString(userList));

        } catch (Exception e) {

            e.printStackTrace();

        }

    }

    @OnMessage

    public void receiveMsg( String msg, Session session) {

        try {

                ChatMessage chatMessage = new ChatMessage();

                chatMessage.setUserName(user.getRealname());

                chatMessage.setStatus(2);

                chatMessage.setChatContent(users.get(session.getId()));

                chatMessage.setMessage(msg);

                // 按房间群发消息

                broadcast(roomId, JSON.toJSONString(chatMessage));

            }

        } catch (IOException e) {

            e.printStackTrace();

        }

    }

    // 按照房间名进行群发消息

    private void broadcast(String roomId, String msg) {

        rooms.get(roomId).forEach(s -> {

            try {

                s.getBasicRemote().sendText(msg);  -----此还有一个getAsyncRemote() 

            } catch (IOException e) {

                e.printStackTrace();

            }

        });

    }

    @OnError

    public void onError(Throwable error) {

        error.printStackTrace();

    }

}

友情提示:此session是websocket里的session,并非httpsession;

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 215,384评论 6 497
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 91,845评论 3 391
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 161,148评论 0 351
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,640评论 1 290
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,731评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,712评论 1 294
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,703评论 3 415
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,473评论 0 270
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,915评论 1 307
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,227评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,384评论 1 345
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,063评论 5 340
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,706评论 3 324
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,302评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,531评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,321评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,248评论 2 352