vue+springboot+webtrc+websocket实现双人音视频通话会议

火影  金牌会员 | 2025-2-25 09:52:55 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 980|帖子 980|积分 2940

前言

最近一些时间我有研究,怎样实现一个视频会议功能,但是找了好多资料都不太抱负,终极参考了一个文章
WebRTC实现双端音视频聊天(Vue3 + SpringBoot)
   只不外,它的实现效果里面只会播放当地的mp4视频文件,但是按照它的原理是可以正常的实现音视频通话的
它的终极效果是这样的
  

   然后我的实现逻辑在它的底子上进行了优化
实现了如下效果,如下是我摆设项目到服务器之后,和朋侪验证之后的截图
  

   针对它的逻辑,我优化了如下几点
  

  • 第一个人可以输入房间号创建房间,需要注意的是,当前第二个人还没加入进来的时间,视频双方都不展示
  • 第二个人根据第一个人的房间号输入进行加入房间,等候视频流的加载就可以相互看到双方的视频和听到音频
  • 添加了关闭/开启麦克风和摄像头功能
    ps: 需要注意的是,我接下来分享的代码逻辑,如果某个人突然加入别的房间,原房间它视频分享还是在的,我没有额外进行处理惩罚关闭原房间的音视频流,大家可根据这个进行调整
    题外话,根据如上的原理,你可以进一步优化,将其开辟一个视频会议功能,当前我有开辟一个类似的,但是本次只分享双人音视频通话会议项目
  


VUE逻辑

   如下为前端部分逻辑,需要注意的是,本次项目还是相沿参考文章的VUE3项目
  前端项目布局如下:

package.json

  1. {
  2.   "name": "webrtc_test",
  3.   "private": true,
  4.   "version": "0.0.0",
  5.   "type": "module",
  6.   "scripts": {
  7.     "dev": "vite",
  8.     "build": "vite build",
  9.     "preview": "vite preview"
  10.   },
  11.   "dependencies": {
  12.     "axios": "^1.7.7",
  13.     "vue": "^3.5.12"
  14.   },
  15.   "devDependencies": {
  16.     "@vitejs/plugin-vue": "^5.1.4",
  17.     "vite": "^5.4.10"
  18.   }
  19. }
复制代码
  换言之,你需要使用npm安装如上依赖
  1. npm i axios@1.7.7
复制代码
vite.config.js

  1. import { defineConfig } from 'vite'
  2. import vue from '@vitejs/plugin-vue'
  3. import fs from 'fs';
  4. // https://vite.dev/config/
  5. export default defineConfig({
  6.   plugins: [vue()],
  7.   server: {
  8.       // 如果需要部署服务器,需要申请SSL证书,然后下载证书到指定文件夹
  9.     https: {
  10.           key: fs.readFileSync('src/certs/www.springsso.top.key'),
  11.           cert: fs.readFileSync('src/certs/www.springsso.top.pem'),
  12.         }
  13.   },
  14. })
复制代码
main.js

  1. import { createApp } from 'vue'
  2. import App from './App.vue'
  3. createApp(App).mount('#app')
复制代码
App.vue

  1. <template>
  2.   <div class="video-chat">
  3.     <div v-if="isRoomEmpty">
  4.       <p>{{ roomStatusText }}</p>
  5.     </div>
  6.     <!-- 视频双端显示 -->
  7.     <div class="video_box">
  8.       <div class="self_video">
  9.         <div class="text_tip">我:<span class="userId">{{ userId }}</span></div>
  10.         <video ref="localVideo" autoplay playsinline></video>
  11.       </div>
  12.       <div class="remote_video">
  13.         <div class="text_tip">对方:<span class="userId">{{ oppositeUserId }}</span></div>
  14.         <video ref="remoteVideo" autoplay playsinline></video>
  15.       </div>
  16.     </div>
  17.     <!-- 加入房间按钮 -->
  18.     <div class="room-controls">
  19.       <div class="room-input">
  20.         <input v-model="roomId" placeholder="请输入房间号" />
  21.         <button @click="createRoom">创建房间</button>
  22.         <button @click="joinRoomWithId">加入房间</button>
  23.       </div>
  24.       <div class="media-controls">
  25.         <button @click="toggleAudio">
  26.           {{ isAudioEnabled ? '关闭麦克风' : '打开麦克风' }}
  27.         </button>
  28.         <button @click="toggleVideo">
  29.           {{ isVideoEnabled ? '关闭摄像头' : '打开摄像头' }}
  30.         </button>
  31.       </div>
  32.     </div>
  33.     <!-- 日志打印 -->
  34.     <div class="log_box">
  35.       <pre>
  36.           <div v-for="(item, index) of logData" :key="index">{{ item }}</div>
  37.         </pre>
  38.     </div>
  39.   </div>
  40. </template>
复制代码
  1. <script setup>
  2. import { ref, onMounted, nextTick } from "vue";
  3. import axios from "axios";
  4. // WebRTC 相关变量
  5. const localVideo = ref(null);
  6. const remoteVideo = ref(null);
  7. const isRoomEmpty = ref(true); // 判断房间是否为空
  8. let localStream; // 本地流数据
  9. let peerConnection; // RTC连接对象
  10. let signalingSocket; // 信令服务器socket对象
  11. let userId; // 当前用户ID
  12. let oppositeUserId; // 对方用户ID
  13. let logData = ref(["日志初始化..."]);
  14. // 请求根路径,如果需要部署服务器,把对应ip改成自己服务器ip
  15. let BaseUrl = "https://localhost:8095/meetingV1s"
  16. let wsUrl = "wss://localhost:8095/meetingV1s";
  17. // candidate信息
  18. let candidateInfo = "";
  19. // 发起端标识
  20. let offerFlag = false;
  21. // 房间状态文本
  22. let roomStatusText = ref("点击'加入房间'开始音视频聊天");
  23. // STUN 服务器,
  24. // const iceServers = [
  25. //   {
  26. //     urls: "stun:stun.l.google.com:19302"  // Google 的 STUN 服务器
  27. //   },
  28. //   {
  29. //     urls: "stun:自己的公网IP:3478" // 自己的Stun服务器
  30. //   },
  31. //   {
  32. //     urls: "turn:自己的公网IP:3478",   // 自己的 TURN 服务器
  33. //     username: "maohe",
  34. //     credential: "maohe"
  35. //   }
  36. // ];
  37. // ============< 看这 >================
  38. // 没有搭建STUN和TURN服务器的使用如下ice配置即可
  39. const iceServers = [
  40.   {
  41.     urls: "stun:stun.l.google.com:19302"  // Google 的 STUN 服务器
  42.   }
  43. ];
  44. // 在 script setup 中添加新的变量声明
  45. const roomId = ref(''); // 房间号
  46. const isAudioEnabled = ref(true); // 音频状态
  47. const isVideoEnabled = ref(true); // 视频状态
  48. onMounted(() => {
  49.   generateRandomId();
  50. })
  51. // 加入房间,开启本地摄像头获取音视频流数据。
  52. function joinRoomHandle() {
  53.   roomStatusText.value = "等待对方加入房间..."
  54.   getVideoStream();
  55. }
  56. // 获取本地视频 模拟从本地摄像头获取音视频流数据
  57. async function getVideoStream() {
  58.   try {
  59.     localStream = await navigator.mediaDevices.getUserMedia({
  60.       video: true,
  61.       audio: true
  62.     });
  63.     localVideo.value.srcObject = localStream;
  64.     wlog(`获取本地流成功~`)
  65.     createPeerConnection(); // 创建RTC对象,监听candidate
  66.   } catch (err) {
  67.     console.error('获取本地媒体流失败:', err);
  68.   }
  69. }
  70. // 初始化 WebSocket 连接
  71. function initWebSocket() {
  72.   wlog("开始连接websocket")
  73.   // 连接ws时携带用户ID和房间号
  74.   signalingSocket = new WebSocket(`${wsUrl}/rtc?userId=${userId}&roomId=${roomId.value}`);
  75.   signalingSocket.onopen = () => {
  76.     wlog('WebSocket 已连接');
  77.   };
  78.   // 消息处理
  79.   signalingSocket.onmessage = (event) => {
  80.     handleSignalingMessage(event.data);
  81.   };
  82. };
  83. // 消息处理器 - 解析器
  84. function handleSignalingMessage(message) {
  85.   wlog("收到ws消息,开始解析...")
  86.   wlog(message)
  87.   let parseMsg = JSON.parse(message);
  88.   wlog(`解析结果:${parseMsg}`);
  89.   if (parseMsg.type == "join") {
  90.     joinHandle(parseMsg.data);
  91.   } else if (parseMsg.type == "offer") {
  92.     wlog("收到发起端offer,开始解析...");
  93.     offerHandle(parseMsg.data);
  94.   } else if (parseMsg.type == "answer") {
  95.     wlog("收到接收端的answer,开始解析...");
  96.     answerHandle(parseMsg.data);
  97.   }else if(parseMsg.type == "candidate"){
  98.     wlog("收到远端candidate,开始解析...");
  99.     candidateHandle(parseMsg.data);
  100.   }
  101. }
  102. // 远端Candidate处理器
  103. async function candidateHandle(candidate){
  104.   peerConnection.addIceCandidate(new RTCIceCandidate(JSON.parse(candidate)));
  105.   wlog("+++++++ 本端candidate设置完毕 ++++++++");
  106. }
  107. // 接收端的answer处理
  108. async function answerHandle(answer) {
  109.   wlog("将answer设置为远端信息");
  110.   peerConnection.setRemoteDescription(new RTCSessionDescription(JSON.parse(answer))); // 设置远端SDP
  111. }
  112. // 发起端offer处理器
  113. async function offerHandle(offer) {
  114.   wlog("将发起端的offer设置为远端媒体信息");
  115.   await peerConnection.setRemoteDescription(new RTCSessionDescription(JSON.parse(offer)));
  116.   wlog("创建Answer 并设置到本地");
  117.   let answer = await peerConnection.createAnswer()
  118.   await peerConnection.setLocalDescription(answer);
  119.   wlog("发送answer给发起端");
  120.   // 构造answer消息发送给对端
  121.   let paramObj = {
  122.     userId: oppositeUserId,
  123.     type: "answer",
  124.     data: JSON.stringify(answer)
  125.   }
  126.   // 执行发送
  127.   const res = await axios.post(`${BaseUrl}/rtcs/sendMessage`, paramObj);
  128. }
  129. // 加入处理器
  130. function joinHandle(userIds) {
  131.   // 判断连接的用户个数
  132.   if (userIds.length == 1 && userIds[0] == userId) {
  133.     wlog("标识为发起端,等待对方加入房间...")
  134.     isRoomEmpty.value = true;
  135.     // 存在一个连接并且是自身,标识我们是发起端
  136.     offerFlag = true;
  137.   } else if (userIds.length > 1) {
  138.     // 对方加入了
  139.     wlog("对方已连接...")
  140.     isRoomEmpty.value = false;
  141.     // 取出对方ID
  142.     for (let id of userIds) {
  143.       if (id != userId) {
  144.         oppositeUserId = id;
  145.       }
  146.     }
  147.     wlog(`对端ID: ${oppositeUserId}`)
  148.     // 开始交换SDP和Candidate
  149.     swapVideoInfo()
  150.   }
  151. }
  152. // 交换SDP和candidate
  153. async function swapVideoInfo() {
  154.   wlog("开始交换Sdp和Candidate...");
  155.   // 检查是否为发起端,如果是创建offer设置到本地,并发送给远端
  156.   if (offerFlag) {
  157.     wlog(`发起端创建offer`)
  158.     let offer = await peerConnection.createOffer()
  159.     await peerConnection.setLocalDescription(offer); // 将媒体信息设置到本地
  160.     wlog("发启端设置SDP-offer到本地");
  161.     // 构造消息ws发送给远端
  162.     let paramObj = {
  163.       userId: oppositeUserId,
  164.       type: "offer",
  165.       data: JSON.stringify(offer)
  166.     };
  167.     wlog(`构造offer信息发送给远端:${paramObj}`)
  168.     // 执行发送
  169.     const res = await axios.post(`${BaseUrl}/rtcs/sendMessage`, paramObj);
  170.   }
  171. }
  172. // 将candidate信息发送给远端
  173. async function sendCandidate(candidate) {
  174.   // 构造消息ws发送给远端
  175.   let paramObj = {
  176.     userId: oppositeUserId,
  177.     type: "candidate",
  178.     data: JSON.stringify(candidate)
  179.   };
  180.   wlog(`构造candidate信息发送给远端:${paramObj}`);
  181.   // 执行发送
  182.   const res = await axios.post(`${BaseUrl}/rtcs/sendMessage`, paramObj);
  183. }
  184. // 创建RTC连接对象并监听和获取condidate信息
  185. function createPeerConnection() {
  186.   wlog("开始创建PC对象...")
  187.   peerConnection = new RTCPeerConnection(iceServers);
  188.   wlog("创建PC对象成功")
  189.   // 创建RTC连接对象后连接websocket
  190.   initWebSocket();
  191.   // 监听网络信息(ICE Candidate)
  192.   peerConnection.onicecandidate = (event) => {
  193.     if (event.candidate) {
  194.       candidateInfo = event.candidate;
  195.       wlog("candidate信息变化...");
  196.       // 将candidate信息发送给远端
  197.       setTimeout(()=>{
  198.         sendCandidate(event.candidate);
  199.       }, 150)
  200.     }
  201.   };
  202.   // 监听远端音视频流
  203.   peerConnection.ontrack = (event) => {
  204.     nextTick(() => {
  205.       wlog("====> 收到远端数据流 <=====")
  206.       if (!remoteVideo.value.srcObject) {
  207.         remoteVideo.value.srcObject = event.streams[0];
  208.         remoteVideo.value.play();  // 强制播放
  209.       }
  210.     });
  211.   };
  212.   // 监听ice连接状态
  213.   peerConnection.oniceconnectionstatechange = () => {
  214.     wlog(`RTC连接状态改变:${peerConnection.iceConnectionState}`);
  215.   };
  216.   // 添加本地音视频流到 PeerConnection
  217.   localStream.getTracks().forEach(track => {
  218.     peerConnection.addTrack(track, localStream);
  219.   });
  220. }
  221. // 日志编写
  222. function wlog(text) {
  223.   logData.value.unshift(text);
  224. }
  225. // 给用户生成随机ID.
  226. function generateRandomId() {
  227.   userId = Math.random().toString(36).substring(2, 12); // 生成10位的随机ID
  228.   wlog(`分配到ID:${userId}`)
  229. }
  230. // 创建房间
  231. async function createRoom() {
  232.   if (!roomId.value) {
  233.     alert('请输入房间号');
  234.     return;
  235.   }
  236.   try {
  237.     const res = await axios.post(`${BaseUrl}/rtcs/createRoom`, {
  238.       roomId: roomId.value,
  239.       userId: userId
  240.     });
  241.     if (res.data.success) {
  242.       wlog(`创建房间成功:${roomId.value}`);
  243.       joinRoomHandle();
  244.     }
  245.   } catch (error) {
  246.     wlog(`创建房间失败:${error}`);
  247.   }
  248. }
  249. // 加入指定房间
  250. async function joinRoomWithId() {
  251.   if (!roomId.value) {
  252.     alert('请输入房间号');
  253.     return;
  254.   }
  255.   try {
  256.     const res = await axios.post(`${BaseUrl}/rtcs/joinRoom`, {
  257.       roomId: roomId.value,
  258.       userId: userId
  259.     });
  260.     if (res.data.success) {
  261.       wlog(`加入房间成功:${roomId.value}`);
  262.       joinRoomHandle();
  263.     }
  264.   } catch (error) {
  265.     wlog(`加入房间失败:${error}`);
  266.   }
  267. }
  268. // 切换音频
  269. function toggleAudio() {
  270.   if (localStream) {
  271.     const audioTrack = localStream.getAudioTracks()[0];
  272.     if (audioTrack) {
  273.       audioTrack.enabled = !audioTrack.enabled;
  274.       isAudioEnabled.value = audioTrack.enabled;
  275.       wlog(`麦克风已${audioTrack.enabled ? '打开' : '关闭'}`);
  276.     }
  277.   }
  278. }
  279. // 切换视频
  280. function toggleVideo() {
  281.   if (localStream) {
  282.     const videoTrack = localStream.getVideoTracks()[0];
  283.     if (videoTrack) {
  284.       videoTrack.enabled = !videoTrack.enabled;
  285.       isVideoEnabled.value = videoTrack.enabled;
  286.       wlog(`摄像头已${videoTrack.enabled ? '打开' : '关闭'}`);
  287.     }
  288.   }
  289. }
  290. </script>
复制代码
  1. <style scoped>
  2. .video-chat {
  3.   display: flex;
  4.   flex-direction: column;
  5.   align-items: center;
  6. }
  7. video {
  8.   width: 300px;
  9.   height: 200px;
  10.   margin: 10px;
  11. }
  12. .remote_video {
  13.   border: solid rgb(30, 40, 226) 1px;
  14.   margin-left: 20px;
  15. }
  16. .self_video {
  17.   border: solid red 1px;
  18. }
  19. .video_box {
  20.   display: flex;
  21. }
  22. .video_box div {
  23.   border-radius: 10px;
  24. }
  25. .join_room_btn button {
  26.   border: none;
  27.   background-color: rgb(119 178 63);
  28.   height: 30px;
  29.   width: 80px;
  30.   border-radius: 10px;
  31.   color: white;
  32.   margin-top: 10px;
  33.   cursor: pointer;
  34.   font-size: 13px;
  35. }
  36. .text_tip {
  37.   font-size: 13px;
  38.   color: #484848;
  39.   padding: 6px;
  40. }
  41. pre {
  42.   width: 600px;
  43.   height: 300px;
  44.   background-color: #d4d4d4;
  45.   border-radius: 10px;
  46.   padding: 10px;
  47.   overflow-y: auto;
  48. }
  49. pre div {
  50.   padding: 4px 0px;
  51.   font-size: 15px;
  52. }
  53. .userId{
  54.   color: #3669ad;
  55. }
  56. .video-chat p{
  57.   font-weight: 600;
  58.   color: #b24242;
  59. }
  60. .room-controls {
  61.   margin: 20px 0;
  62.   display: flex;
  63.   flex-direction: column;
  64.   gap: 10px;
  65. }
  66. .room-input {
  67.   display: flex;
  68.   gap: 10px;
  69.   align-items: center;
  70. }
  71. .room-input input {
  72.   padding: 5px 10px;
  73.   border: 1px solid #ccc;
  74.   border-radius: 5px;
  75. }
  76. .media-controls {
  77.   display: flex;
  78.   gap: 10px;
  79. }
  80. .room-controls button {
  81.   border: none;
  82.   background-color: rgb(119 178 63);
  83.   height: 30px;
  84.   padding: 0 15px;
  85.   border-radius: 5px;
  86.   color: white;
  87.   cursor: pointer;
  88.   font-size: 13px;
  89. }
  90. .media-controls button {
  91.   background-color: #3669ad;
  92. }
  93. </style>
复制代码
SpringBoot逻辑

   如下为后端逻辑,项目布局如下:

  pom.xml

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  3.         xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
  4.         <modelVersion>4.0.0</modelVersion>
  5.         <parent>
  6.                 <groupId>org.springframework.boot</groupId>
  7.                 <artifactId>spring-boot-starter-parent</artifactId>
  8.                 <version>2.7.9</version>
  9.                 <relativePath/> <!-- lookup parent from repository -->
  10.         </parent>
  11.         <groupId>com.mh</groupId>
  12.         <artifactId>webrtc-backend</artifactId>
  13.         <version>0.0.1-SNAPSHOT</version>
  14.         <name>webrtc-backend</name>
  15.         <description>webrtc-backend</description>
  16.         <properties>
  17.                 <java.version>1.8</java.version>
  18.         </properties>
  19.         <dependencies>
  20.                 <dependency>
  21.                         <groupId>org.springframework.boot</groupId>
  22.                         <artifactId>spring-boot-starter-web</artifactId>
  23.                 </dependency>
  24.                 <dependency>
  25.                         <groupId>org.springframework.boot</groupId>
  26.                         <artifactId>spring-boot-starter-test</artifactId>
  27.                         <scope>test</scope>
  28.                 </dependency>
  29.                 <dependency>
  30.                         <groupId>org.springframework.boot</groupId>
  31.                         <artifactId>spring-boot-starter-websocket</artifactId>
  32.                 </dependency>
  33.                 <dependency>
  34.                         <groupId>org.projectlombok</groupId>
  35.                         <artifactId>lombok</artifactId>
  36.                         <version>1.18.34</version>
  37.                 </dependency>
  38.         </dependencies>
  39.         <build>
  40.                 <plugins>
  41.                         <plugin>
  42.                                 <groupId>org.springframework.boot</groupId>
  43.                                 <artifactId>spring-boot-maven-plugin</artifactId>
  44.                                 <version>2.6.2</version>
  45.                                 <configuration>
  46.                                         <mainClass>com.mh.WebrtcBackendApplication</mainClass>
  47.                                         <layout>ZIP</layout>
  48.                                 </configuration>
  49.                                 <executions>
  50.                                         <execution>
  51.                                                 <goals>
  52.                                                         <goal>repackage</goal>
  53.                                                 </goals>
  54.                                         </execution>
  55.                                 </executions>
  56.                         </plugin>
  57.                 </plugins>
  58.         </build>
  59. </project>
复制代码
application.yml

  1. server:
  2.   port: 8095
  3.   servlet:
  4.     context-path: /meetingV1s
  5.   ssl: #ssl配置
  6.     enabled: true  # 默认为true
  7.     #key-alias: alias-key # 别名(可以不进行配置)
  8.     # 保存SSL证书的秘钥库的路径,如果部署到服务器,必须要开启ssl才能获取到摄像头和麦克风
  9.     key-store: classpath:www.springsso.top.jks
  10.     # ssl证书密码
  11.     key-password: gf71v8lf
  12.     key-store-password: gf71v8lf
  13.     key-store-type: JKS
  14.   tomcat:
  15.     uri-encoding: UTF-8
复制代码
入口文件

  1. // 这个是自己实际项目位置
  2. package com.mh;
  3. import org.springframework.boot.SpringApplication;
  4. import org.springframework.boot.autoconfigure.SpringBootApplication;
  5. @SpringBootApplication
  6. public class WebrtcBackendApplication {
  7.         public static void main(String[] args) {
  8.                 SpringApplication.run(WebrtcBackendApplication.class, args);
  9.         }
  10. }
复制代码
WebSocket处理惩罚器

  1. package com.mh.common;
  2. import com.mh.dto.bo.UserManager;
  3. import com.mh.dto.vo.MessageOut;
  4. import lombok.RequiredArgsConstructor;
  5. import lombok.extern.slf4j.Slf4j;
  6. import org.springframework.stereotype.Component;
  7. import org.springframework.web.socket.CloseStatus;
  8. import org.springframework.web.socket.TextMessage;
  9. import org.springframework.web.socket.WebSocketSession;
  10. import org.springframework.web.socket.handler.TextWebSocketHandler;
  11. import com.fasterxml.jackson.databind.ObjectMapper;
  12. import java.net.URI;
  13. import java.util.ArrayList;
  14. import java.util.Set;
  15. /**
  16. * Date:2024/11/14
  17. * author:zmh
  18. * description: WebSocket处理器
  19. **/
  20. @Component
  21. @RequiredArgsConstructor
  22. @Slf4j
  23. public class RtcWebSocketHandler  extends TextWebSocketHandler {
  24.     // 管理用户的加入和退出...
  25.     private final UserManager userManager;
  26.     private final ObjectMapper objectMapper = new ObjectMapper();
  27.     // 用户连接成功
  28.     @Override
  29.     public void afterConnectionEstablished(WebSocketSession session) throws Exception {
  30.         // 获取用户ID和房间ID
  31.         String userId = getParameterByName(session.getUri(), "userId");
  32.         String roomId = getParameterByName(session.getUri(), "roomId");
  33.         if (userId != null && roomId != null) {
  34.             // 保存用户会话
  35.             userManager.addUser(userId, session);
  36.             log.info("用户 {} 连接成功,房间:{}", userId, roomId);
  37.             // 获取房间中的所有用户
  38.             Set<String> roomUsers = userManager.getRoomUsers(roomId);
  39.             
  40.             // 通知房间内所有用户(包括新加入的用户)
  41.             for (String uid : roomUsers) {
  42.                 WebSocketSession userSession = userManager.getUser(uid);
  43.                 if (userSession != null && userSession.isOpen()) {
  44.                     MessageOut messageOut = new MessageOut();
  45.                     messageOut.setType("join");
  46.                     messageOut.setData(new ArrayList<>(roomUsers));
  47.                     
  48.                     String message = objectMapper.writeValueAsString(messageOut);
  49.                     userSession.sendMessage(new TextMessage(message));
  50.                     log.info("向用户 {} 发送房间更新消息", uid);
  51.                 }
  52.             }
  53.         }
  54.     }
  55.     // 接收到客户端消息,解析消息内容进行分发
  56.     @Override
  57.     protected void handleTextMessage(WebSocketSession session, TextMessage message) throws Exception {
  58.         // 转换并分发消息
  59.         log.info("收到消息");
  60.     }
  61.     // 处理断开的连接
  62.     @Override
  63.     public void afterConnectionClosed(WebSocketSession session, CloseStatus status) throws Exception {
  64.         String userId = getParameterByName(session.getUri(), "userId");
  65.         String roomId = getParameterByName(session.getUri(), "roomId");
  66.         if (userId != null && roomId != null) {
  67.             // 从房间和会话管理中移除用户
  68.             userManager.removeUser(userId);
  69.             userManager.leaveRoom(roomId, userId);
  70.             
  71.             // 获取更新后的房间用户列表
  72.             Set<String> remainingUsers = userManager.getRoomUsers(roomId);
  73.             
  74.             // 通知房间内的其他用户
  75.             for (String uid : remainingUsers) {
  76.                 WebSocketSession userSession = userManager.getUser(uid);
  77.                 if (userSession != null && userSession.isOpen()) {
  78.                     MessageOut messageOut = new MessageOut();
  79.                     messageOut.setType("join");
  80.                     messageOut.setData(new ArrayList<>(remainingUsers));
  81.                     
  82.                     String message = objectMapper.writeValueAsString(messageOut);
  83.                     userSession.sendMessage(new TextMessage(message));
  84.                     log.info("向用户 {} 发送用户离开更新消息", uid);
  85.                 }
  86.             }
  87.             
  88.             log.info("用户 {} 断开连接,房间:{}", userId, roomId);
  89.         }
  90.     }
  91.     // 辅助方法:从URI中获取参数值
  92.     private String getParameterByName(URI uri, String paramName) {
  93.         String query = uri.getQuery();
  94.         if (query != null) {
  95.             String[] pairs = query.split("&");
  96.             for (String pair : pairs) {
  97.                 String[] keyValue = pair.split("=");
  98.                 if (keyValue.length == 2 && keyValue[0].equals(paramName)) {
  99.                     return keyValue[1];
  100.                 }
  101.             }
  102.         }
  103.         return null;
  104.     }
  105. }
复制代码
WebSocket设置类

  1. package com.mh.config;
  2. import com.mh.common.RtcWebSocketHandler;
  3. import lombok.RequiredArgsConstructor;
  4. import org.springframework.context.annotation.Configuration;
  5. import org.springframework.web.socket.config.annotation.EnableWebSocket;
  6. import org.springframework.web.socket.config.annotation.WebSocketConfigurer;
  7. import org.springframework.web.socket.config.annotation.WebSocketHandlerRegistry;
  8. /**
  9. * Date:2024/11/14
  10. * author:zmh
  11. * description: WebSocket配置类
  12. **/
  13. @Configuration
  14. @EnableWebSocket
  15. @RequiredArgsConstructor
  16. public class WebSocketConfig implements WebSocketConfigurer {
  17.     private final RtcWebSocketHandler rtcWebSocketHandler;
  18.     @Override
  19.     public void registerWebSocketHandlers(WebSocketHandlerRegistry registry) {
  20.         registry.addHandler(rtcWebSocketHandler, "/rtc")
  21.                 .setAllowedOrigins("*");
  22.     }
  23. }
复制代码
webRtc相关接口

  1. package com.mh.controller;
  2. import com.mh.dto.bo.UserManager;
  3. import com.mh.dto.vo.MessageReceive;
  4. import lombok.RequiredArgsConstructor;
  5. import lombok.extern.slf4j.Slf4j;
  6. import org.springframework.http.ResponseEntity;
  7. import org.springframework.web.bind.annotation.*;
  8. import java.util.HashMap;
  9. import java.util.Map;
  10. /**
  11. * Date:2024/11/15
  12. * author:zmh
  13. * description: rtc 相关接口
  14. **/
  15. @RestController
  16. @Slf4j
  17. @CrossOrigin
  18. @RequiredArgsConstructor
  19. @RequestMapping("/rtcs")
  20. public class RtcController {
  21.     private final UserManager userManager;
  22.     /**
  23.      * 给指定用户发送执行类型消息
  24.      * @param messageReceive 消息参数接收Vo
  25.      * @return ·
  26.      */
  27.     @PostMapping("/sendMessage")
  28.     public Boolean sendMessage(@RequestBody MessageReceive messageReceive){
  29.         userManager.sendMessage(messageReceive);
  30.         return true;
  31.     }
  32.     @PostMapping("/createRoom")
  33.     public ResponseEntity<?> createRoom(@RequestBody Map<String, String> params) {
  34.         String roomId = params.get("roomId");
  35.         String userId = params.get("userId");
  36.         // 在 UserManager 中实现房间创建逻辑
  37.         boolean success = userManager.createRoom(roomId, userId);
  38.         Map<String, Object> response = new HashMap<>();
  39.         response.put("success", success);
  40.         return ResponseEntity.ok(response);
  41.     }
  42.     @PostMapping("/joinRoom")
  43.     public ResponseEntity<?> joinRoom(@RequestBody Map<String, String> params) {
  44.         String roomId = params.get("roomId");
  45.         String userId = params.get("userId");
  46.         // 在 UserManager 中实现加入房间逻辑
  47.         boolean success = userManager.joinRoom(roomId, userId);
  48.         Map<String, Object> response = new HashMap<>();
  49.         response.put("success", success);
  50.         return ResponseEntity.ok(response);
  51.     }
  52. }
复制代码
用户管理器单例对象

  1. package com.mh.dto.bo;
  2. import com.fasterxml.jackson.core.JsonProcessingException;
  3. import com.fasterxml.jackson.databind.ObjectMapper;
  4. import com.mh.dto.vo.MessageOut;
  5. import com.mh.dto.vo.MessageReceive;
  6. import java.util.stream.Collectors;
  7. import lombok.Data;
  8. import lombok.extern.slf4j.Slf4j;
  9. import org.springframework.stereotype.Component;
  10. import org.springframework.web.socket.TextMessage;
  11. import org.springframework.web.socket.WebSocketSession;
  12. import java.io.IOException;
  13. import java.util.HashMap;
  14. import java.util.List;
  15. import java.util.Map;
  16. import java.util.Set;
  17. import java.util.HashSet;
  18. import java.util.concurrent.ConcurrentHashMap;
  19. /**
  20. * Date:2024/11/14
  21. * author:zmh
  22. * description: 用户管理器单例对象
  23. **/
  24. @Data
  25. @Component
  26. @Slf4j
  27. public class UserManager {
  28.     // 管理连接用户信息
  29.     private final HashMap<String, WebSocketSession> userMap = new HashMap<>();
  30.     // 添加房间管理的Map
  31.     private final Map<String, Set<String>> roomUsers = new ConcurrentHashMap<>();
  32.     // 加入用户
  33.     public void addUser(String userId, WebSocketSession session) {
  34.         userMap.put(userId, session);
  35.         log.info("用户 {} 加入", userId);
  36.     }
  37.     // 移除用户
  38.     public void removeUser(String userId) {
  39.         userMap.remove(userId);
  40.         log.info("用户 {} 退出", userId);
  41.     }
  42.     // 获取用户
  43.     public WebSocketSession getUser(String userId) {
  44.         return userMap.get(userId);
  45.     }
  46.     // 获取所有用户ID构造成list返回
  47.     public List<String> getAllUserId() {
  48.         return userMap.keySet().stream().collect(Collectors.toList());
  49.     }
  50.     // 通知用户加入-广播消息
  51.     public void sendMessageAllUser() throws IOException {
  52.         // 获取所有连接用户ID列表
  53.         List<String> allUserId = getAllUserId();
  54.         for (String userId : userMap.keySet()) {
  55.             WebSocketSession session = userMap.get(userId);
  56.             MessageOut messageOut = new MessageOut("join", allUserId);
  57.             String messageText = new ObjectMapper().writeValueAsString(messageOut);
  58.             // 广播消息
  59.              session.sendMessage(new TextMessage(messageText));
  60.         }
  61.     }
  62.     /**
  63.      * 创建房间
  64.      * @param roomId 房间ID
  65.      * @param userId 用户ID
  66.      * @return 创建结果
  67.      */
  68.     public boolean createRoom(String roomId, String userId) {
  69.         if (roomUsers.containsKey(roomId)) {
  70.             log.warn("房间 {} 已存在", roomId);
  71.             return false;
  72.         }
  73.         Set<String> users = new HashSet<>();
  74.         users.add(userId);
  75.         roomUsers.put(roomId, users);
  76.         log.info("用户 {} 创建了房间 {}", userId, roomId);
  77.         return true;
  78.     }
  79.     /**
  80.      * 加入房间
  81.      * @param roomId 房间ID
  82.      * @param userId 用户ID
  83.      * @return 加入结果
  84.      */
  85.     public boolean joinRoom(String roomId, String userId) {
  86.         Set<String> users = roomUsers.computeIfAbsent(roomId, k -> new HashSet<>());
  87.         if (users.size() >= 2) {
  88.             log.warn("房间 {} 已满", roomId);
  89.             return false;
  90.         }
  91.         users.add(userId);
  92.         log.info("用户 {} 加入房间 {}", userId, roomId);
  93.         return true;
  94.     }
  95.     /**
  96.      * 离开房间
  97.      * @param roomId 房间ID
  98.      * @param userId 用户ID
  99.      */
  100.     public void leaveRoom(String roomId, String userId) {
  101.         Set<String> users = roomUsers.get(roomId);
  102.         if (users != null) {
  103.             users.remove(userId);
  104.             if (users.isEmpty()) {
  105.                 roomUsers.remove(roomId);
  106.                 log.info("房间 {} 已清空并删除", roomId);
  107.             }
  108.             log.info("用户 {} 离开了房间 {}", userId, roomId);
  109.         }
  110.     }
  111.     /**
  112.      * 获取房间用户
  113.      * @param roomId 房间ID
  114.      * @return 用户集合
  115.      */
  116.     public Set<String> getRoomUsers(String roomId) {
  117.         return roomUsers.getOrDefault(roomId, new HashSet<>());
  118.     }
  119.     // 修改现有的 sendMessage 方法,考虑房间信息
  120.     public void sendMessage(MessageReceive messageReceive) {
  121.         String userId = messageReceive.getUserId();
  122.         String type = messageReceive.getType();
  123.         String data = messageReceive.getData();
  124.         
  125.         WebSocketSession session = userMap.get(userId);
  126.         if (session != null && session.isOpen()) {
  127.             try {
  128.                 MessageOut messageOut = new MessageOut();
  129.                 messageOut.setType(type);
  130.                 messageOut.setData(data);
  131.                
  132.                 String message = new ObjectMapper().writeValueAsString(messageOut);
  133.                 session.sendMessage(new TextMessage(message));
  134.                 log.info("消息发送成功: type={}, to={}", type, userId);
  135.             } catch (Exception e) {
  136.                 log.error("消息发送失败", e);
  137.             }
  138.         }
  139.     }
  140. }
复制代码
消息输出前端Vo对象

  1. package com.mh.dto.vo;
  2. import lombok.AllArgsConstructor;
  3. import lombok.Data;
  4. import lombok.NoArgsConstructor;
  5. /**
  6. * Date:2024/11/15
  7. * author:zmh
  8. * description: 消息输出前端Vo对象
  9. **/
  10. @Data
  11. @AllArgsConstructor
  12. @NoArgsConstructor
  13. public class MessageOut {
  14.     /**
  15.      * 消息类型【join, offer, answer, candidate, leave】
  16.      */
  17.     private String type;
  18.     /**
  19.      * 消息内容 前端stringFiy序列化后字符串
  20.      */
  21.     private Object data;
  22. }
复制代码
消息接收Vo对象

  1. package com.mh.dto.vo;
  2. import lombok.AllArgsConstructor;
  3. import lombok.Data;
  4. import lombok.NoArgsConstructor;
  5. /**
  6. * Date:2024/11/15
  7. * author:zmh
  8. * description: 消息接收Vo对象
  9. **/
  10. @Data
  11. @AllArgsConstructor
  12. @NoArgsConstructor
  13. public class MessageReceive {
  14.     /**
  15.      * 用户ID,用于获取用户Session
  16.      */
  17.     private String userId;
  18.     /**
  19.      * 消息类型【join, offer, answer, candidate, leave】
  20.      */
  21.     private String type;
  22.     /**
  23.      * 消息内容 前端stringFiy序列化后字符串
  24.      */
  25.     private String data;
  26. }
复制代码
结语

如上为vue+springboot+webtrc+websocket实现双人音视频通话会议的全部逻辑,如有遗漏后续会进行补充

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

火影

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表