SpringBoot整合WebSocket實現先後端互推消息

  小編寫這篇文章是爲了記錄實現WebSocket的過程,受不了囉嗦的同窗能夠直接看代碼。html

  前段時間作項目時設計了一個廣播的場景,具體業務再也不贅述,最終要實現的效果就是平臺接收到的信息實時發佈給全部的用戶,其實就是後端主動向前端廣播消息。前端

這樣的場景可讓前端輪詢實現,可是要達到接近實時獲取信息的效果就須要前端短週期的輪詢,HTTP請求包含較長的頭部,其中真正有效的數據可能只是很小的一java

部分,顯然這樣會浪費不少的帶寬等資源,週期越短服務器壓力越大,若是用戶量太大的話就杯具了。因此小編就想到了WebSocket,能夠完美實現需求。web

  

  一、什麼是WebSocket

  WebSocket 是 HTML5 開始提供的一種在單個 TCP 鏈接上進行全雙工通信的協議。WebSocket 使得客戶端和服務器之間的數據交換變得更加簡單,容許服務端主動向spring

客戶端推送數據。在 WebSocket API 中,瀏覽器和服務器只須要完成一次握手,二者之間就直接能夠建立持久性的鏈接,並進行雙向數據傳輸。apache

  在 WebSocket API 中,瀏覽器和服務器只須要作一個握手的動做,而後,瀏覽器和服務器之間就造成了一條快速通道。二者之間就直接能夠數據互相傳送。HTML5 定json

義的 WebSocket 協議,能更好的節省服務器資源和帶寬,而且可以更實時地進行通信。後端

  二、實現原理

 

 

  能夠看到,瀏覽器經過 JavaScript 向服務器發出創建 WebSocket 鏈接的請求,鏈接創建之後,客戶端和服務器端就能夠經過 TCP 鏈接直接交換數據。第一次握手是基瀏覽器

於HTTP協議實現的,當獲取 Web Socket 鏈接後,就能夠經過 send() 方法來向服務器發送數據,並經過 onmessage 事件來接收服務器返回的數據。安全

  三、具體實現

  WebSocket的優勢不言而喻,下面直接上代碼。

  一、首先建立一個springboot項目,網上教程不少,也能夠參考樓主的建立SpringBoot項目,很簡單,最終的目錄結構以下:

 

  二、項目的pom.xml以下:

  

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.2.5.RELEASE</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    <groupId>com.winmine</groupId>
    <artifactId>WebSocket</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>WebSocket</name>
    <description>Demo project for Spring Boot</description>

    <properties>
        <java.version>1.8</java.version>
    </properties>

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

        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-thymeleaf</artifactId>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-websocket</artifactId>
        </dependency>
        <dependency>
            <groupId>com.alibaba</groupId>
            <artifactId>fastjson</artifactId>
            <version>1.2.46</version>
        </dependency>

    </dependencies>


    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
            </plugin>
        </plugins>
    </build>

</project>
View Code

  引入WebSocket的標籤就是:

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

  三、application.properties中配置端口號,樓主的是22599的端口號。

server.port=22599

 

  四、配置類

  

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.socket.server.standard.ServerEndpointExporter;

@Configuration
public class WebSocketConfig {
    /**
     * ServerEndpointExporter 做用
     *
     * 這個Bean會自動註冊使用@ServerEndpoint註解聲明的websocket endpoint
     *
     * @return
     */
    @Bean
    public ServerEndpointExporter serverEndpointExporter() {
        return new ServerEndpointExporter();
    }
}

  五、核心類

  

 
 
package com.winmine.WebSocket.service;

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;
import java.util.concurrent.atomic.AtomicInteger;

@ServerEndpoint("/webSocket/{sid}")
@Component
public class WebSocketServer {
//靜態變量,用來記錄當前在線鏈接數。應該把它設計成線程安全的。
private static AtomicInteger onlineNum = new AtomicInteger();

//concurrent包的線程安全Set,用來存放每一個客戶端對應的WebSocketServer對象。
private static ConcurrentHashMap<String, Session> sessionPools = new ConcurrentHashMap<>();

//發送消息
public void sendMessage(Session session, String message) throws IOException {
if(session != null){
synchronized (session) {
// System.out.println("發送數據:" + message);
session.getBasicRemote().sendText(message);
}
}
}
//給指定用戶發送信息
public void sendInfo(String userName, String message){
Session session = sessionPools.get(userName);
try {
sendMessage(session, message);
}catch (Exception e){
e.printStackTrace();
}
}

//創建鏈接成功調用
@OnOpen
public void onOpen(Session session, @PathParam(value = "sid") String userName){
sessionPools.put(userName, session);
addOnlineCount();
System.out.println(userName + "加入webSocket!當前人數爲" + onlineNum);
try {
sendMessage(session, "歡迎" + userName + "加入鏈接!");
} catch (IOException e) {
e.printStackTrace();
}
}

//關閉鏈接時調用
@OnClose
public void onClose(@PathParam(value = "sid") String userName){
sessionPools.remove(userName);
subOnlineCount();
System.out.println(userName + "斷開webSocket鏈接!當前人數爲" + onlineNum);
}

//收到客戶端信息
@OnMessage
public void onMessage(String message) throws IOException{
message = "客戶端:" + message + ",已收到";
System.out.println(message);
for (Session session: sessionPools.values()) {
try {
sendMessage(session, message);
} catch(Exception e){
e.printStackTrace();
continue;
}
}
}

//錯誤時調用
@OnError
public void onError(Session session, Throwable throwable){
System.out.println("發生錯誤");
throwable.printStackTrace();
}

public static void addOnlineCount(){
onlineNum.incrementAndGet();
}

public static void subOnlineCount() {
onlineNum.decrementAndGet();
}

}
 

  六、在Controller中跳轉頁面

import com.winmine.WebSocket.service.WebSocketServer;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.servlet.ModelAndView;

import java.util.HashMap;
import java.util.Map;

@Controller
public class SocketController {

    @Autowired
    private WebSocketServer webSocketServer;

    @RequestMapping("/index")
    public String index() {
        return "index";
    }

    @GetMapping("/webSocket")
    public ModelAndView socket() {
        ModelAndView mav=new ModelAndView("/webSocket");
//        mav.addObject("userId", userId);
        return mav;
    }


}

 

  七、前端代碼在webSocket.html中:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>WebSocket</title>

</head>
<body>
<h3>hello socket</h3>
<p>【userId】:<div><input id="userId" name="userId" type="text" value="10"></div>
<p>【toUserId】:<div><input id="toUserId" name="toUserId" type="text" value="20"></div>
<p>【toUserId】:<div><input id="contentText" name="contentText" type="text" value="hello websocket"></div>
<p>操做:<div><a onclick="openSocket()">開啓socket</a></div>
<p>【操做】:<div><a onclick="sendMessage()">發送消息</a></div>
</body>
<script>
    

    var socket;
    function openSocket() {
        if(typeof(WebSocket) == "undefined") {
            console.log("您的瀏覽器不支持WebSocket");
        }else{
            console.log("您的瀏覽器支持WebSocket");
            //實現化WebSocket對象,指定要鏈接的服務器地址與端口  創建鏈接
            var userId = document.getElementById('userId').value;
            // var socketUrl="ws://127.0.0.1:22599/webSocket/"+userId;
            var socketUrl="ws://192.168.0.231:22599/webSocket/"+userId;
            console.log(socketUrl);
            if(socket!=null){
                socket.close();
                socket=null;
            }
            socket = new WebSocket(socketUrl);
            //打開事件
            socket.onopen = function() {
                console.log("websocket已打開");
                //socket.send("這是來自客戶端的消息" + location.href + new Date());
            };
            //得到消息事件
            socket.onmessage = function(msg) {
                var serverMsg = "收到服務端信息:" + msg.data;
                console.log(serverMsg);
                //發現消息進入    開始處理前端觸發邏輯
            };
            //關閉事件
            socket.onclose = function() {
                console.log("websocket已關閉");
            };
            //發生了錯誤事件
            socket.onerror = function() {
                console.log("websocket發生了錯誤");
            }
        }
    }
    function sendMessage() {
        if(typeof(WebSocket) == "undefined") {
            console.log("您的瀏覽器不支持WebSocket");
        }else {
            // console.log("您的瀏覽器支持WebSocket");
            var toUserId = document.getElementById('toUserId').value;
            var contentText = document.getElementById('contentText').value;
            var msg = '{"toUserId":"'+toUserId+'","contentText":"'+contentText+'"}';
            console.log(msg);
            socket.send(msg);
        }
    }

    </script>
</html>

  

  完成以上工做,就能夠啓動項目測試了。

  在瀏覽器登陸系統,http://127.0.0.1:22599/webSocket

 

   開啓socket併發送信息,後端打印:

 

   前端控制檯打印:

 

   WebSocket跑通了,這是最基本的案例,把它放入本身的項目中能夠按照具體業務進行改進

  PS:在開發中樓主發現部分IE瀏覽器的版本創建webSocket時失敗,具體問題及解決方法請查看文章:

IE瀏覽器鏈接WebSocket報錯:java.lang.IllegalArgumentException: Invalid character found in the request target. The valid characters are defined in RFC 7230 and RFC 3986

相關文章
相關標籤/搜索