欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

WebSocket+Vue+SpringBoot實現(xiàn)語音通話的使用示例

 更新時間:2023年11月15日 10:55:12   作者:億只王菜菜  
本文主要介紹了WebSocket+Vue+SpringBoot實現(xiàn)語音通話的使用示例,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧

整體思路

前端點擊開始對話按鈕后,將監(jiān)聽麥克風,獲取到當前的音頻,將其裝化為二進制數(shù)據(jù),通過websocket發(fā)送到webscoket服務端,服務端在接收后,將消息寫入給指定客戶端,客戶端拿到發(fā)送過來的二進制音頻后再轉化播放

注意事項

由于音頻轉化后的二進制數(shù)據(jù)較大,websocket默認的消息傳輸大小不能被接收,所以需要通過 @OnMessage(maxMessageSize=5242880)注解進行調整

Vue代碼

<template>
  <div class="play-audio">
    <el-button @click="startCall" ref="start">開始對講</el-button>
    <el-button @click="stopCall" ref="stop">結束對講</el-button>
  </div>
</template>

<script>
export default {
  data() {
    return {
      ws: null,
      mediaStack: null,
      audioCtx: null,
      scriptNode: null,
      source: null,
      play: true
    }
  },

  methods: {
    initWs1() {
		//設置好友ID
	  let recipientId=localStorage.getItem('userId')=="2"?"1":"2";
      this.ws = new WebSocket('ws://192.168.206.204:8081/video/'+localStorage.getItem('userId')+"/"+recipientId)
      this.ws.onopen = () => {
        console.log('socket 已連接')
      }
      this.ws.binaryType = 'arraybuffer'
      this.ws.onmessage = ({ data }) => {
	 console.log("接收到的數(shù)據(jù)--》"+ data)
	
		
        // 將接收的數(shù)據(jù)轉換成與傳輸過來的數(shù)據(jù)相同的Float32Array
        const buffer = new Float32Array(data)
        // 創(chuàng)建一個空白的AudioBuffer對象,這里的4096跟發(fā)送方保持一致,48000是采樣率
        const myArrayBuffer = this.audioCtx.createBuffer(1, 4096, 48000)
        // 也是由于只創(chuàng)建了一個音軌,可以直接取到0
        const nowBuffering = myArrayBuffer.getChannelData(0)
        // 通過循環(huán),將接收過來的數(shù)據(jù)賦值給簡單音頻對象
        for (let i = 0; i < 4096; i++) {
          nowBuffering[i] = buffer[i]
        }
        // 使用AudioBufferSourceNode播放音頻
        const source = this.audioCtx.createBufferSource()
        source.buffer = myArrayBuffer
        const gainNode = this.audioCtx.createGain()
        source.connect(gainNode)
        gainNode.connect(this.audioCtx.destination)
        var muteValue = 1
        if (!this.play) { // 是否靜音
          muteValue = 0
        }
        gainNode.gain.setValueAtTime(muteValue, this.audioCtx.currentTime)
        source.start()
      }
      this.ws.onerror = (e) => {
        console.log('發(fā)生錯誤', e)
      }
      this.ws.onclose = () => {
        console.log('socket closed')
      }
	
    },
    // 開始對講
    startCall() {

      this.play = true
      this.audioCtx = new AudioContext()
      this.initWs1()
	
      // 該變量存儲當前MediaStreamAudioSourceNode的引用
      // 可以通過它關閉麥克風停止音頻傳輸

      // 創(chuàng)建一個ScriptProcessorNode 用于接收當前麥克風的音頻
      this.scriptNode = this.audioCtx.createScriptProcessor(4096, 1, 1)
      navigator.mediaDevices
        .getUserMedia({ audio: true, video: false })
        .then((stream) => {
          this.mediaStack = stream
          this.source = this.audioCtx.createMediaStreamSource(stream)

          this.source.connect(this.scriptNode)
          this.scriptNode.connect(this.audioCtx.destination)
        })
        .catch(function (err) {
          /* 處理error */
          console.log('err', err)
        })
      // 當麥克風有聲音輸入時,會調用此事件
      // 實際上麥克風始終處于打開狀態(tài)時,即使不說話,此事件也在一直調用
      this.scriptNode.onaudioprocess = (audioProcessingEvent) => {
        const inputBuffer = audioProcessingEvent.inputBuffer
		// console.log("inputBuffer",inputBuffer);
        // 由于只創(chuàng)建了一個音軌,這里只取第一個頻道的數(shù)據(jù)
        const inputData = inputBuffer.getChannelData(0)
		console.log("調用")
        // 通過socket傳輸數(shù)據(jù),實際上傳輸?shù)氖荈loat32Array
        if (this.ws.readyState === 1) {
			
			
			// console.log("發(fā)送的數(shù)據(jù)",inputData);
          this.ws.send(inputData)
        }
      }
    },
    // 關閉麥克風
    stopCall() {
      this.play = false
      this.mediaStack.getTracks()[0].stop()
      this.scriptNode.disconnect()
    }
  }
}
</script>

java代碼

webscoket配置類

package com.example.software.config;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.socket.config.annotation.EnableWebSocket;
import org.springframework.web.socket.server.standard.ServerEndpointExporter;

/**
 * @Description: websocket配置
 */
@Configuration
@EnableWebSocket
public class WebSocketConfig {
    @Bean
    public ServerEndpointExporter serverEndpointExporter() {
        return new ServerEndpointExporter();
    }
}

webscoket服務類

package com.example.software.service.webscoket;

import cn.hutool.core.map.MapUtil;
import cn.hutool.core.util.StrUtil;
import cn.hutool.json.JSONUtil;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;

import javax.websocket.*;
import javax.websocket.server.PathParam;
import javax.websocket.server.ServerEndpoint;
import java.io.BufferedInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.nio.ByteBuffer;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;

/**
 * @Author:wf
 * @Date 2023/5/14 13:55
 * 消息收發(fā)
 **/
@Controller
@ServerEndpoint(value = "/video/{senderID}/{recipientId}")
@Slf4j
public class WebSocketServer {


    /** 當前在線連接數(shù)。應該把它設計成線程安全的 */
    private static  int onlineCount = 0;
    /** 存放每個客戶端對應的MyWebSocket對象。實現(xiàn)服務端與單一客戶端通信的話,其中Key可以為用戶標識 */
    private static ConcurrentHashMap<String, Session> webSocketSet = new ConcurrentHashMap<String, Session>();

    /** 與某個客戶端的連接會話,需要通過它來給客戶端發(fā)送數(shù)據(jù) */
    private Session WebSocketsession;
    /** 當前發(fā)消息的人員編號 */
    private String senderID = "";


    /**
     * 連接建立成功調用的方法
     * @param param 發(fā)送者ID,是由誰發(fā)送的
     * @param WebSocketsession 可選的參數(shù)。session為與某個客戶端的連接會話,需要通過它來給客戶端發(fā)送數(shù)據(jù)
     */
    @OnOpen
    public void onOpen(@PathParam(value = "senderID") String param, @PathParam(value = "recipientId") String recipientId,Session WebSocketsession) {
        System.out.println("人員-------**-------編號:"+param+":加入聊天");
        System.out.println("盆友是:"+recipientId+"");

        //接收到發(fā)送消息的人員編號
        senderID = param;
        System.out.println("senderID:"+senderID);
        //設置消息大小最大為10M,這種方式也可以達到效果,或者使用下面的    @OnMessage(maxMessageSize=5242880)
        //The default buffer size for text messages is 8192 bytes.消息超過8192b,自動斷開連接

//        WebSocketsession.setMaxTextMessageBufferSize(10*1024*1024);
//        WebSocketsession.setMaxBinaryMessageBufferSize(10*1024*1024);


        //加入map中,綁定當前用戶和socket
        webSocketSet.put(param, WebSocketsession);
        //在線數(shù)加1
        addOnlineCount();
    }


    /**
     * 連接關閉調用的方法
     */
    @OnClose
    public void onClose() {
        if (StrUtil.isNotBlank(senderID)) {
            //從set中刪除
            webSocketSet.remove(senderID);
            //在線數(shù)減1
            subOnlineCount();
        }
    }


    /**
     * 收到客戶端消息后調用的方法
     *
     *設置最大接收消息大小
     */
    @OnMessage(maxMessageSize=5242880)
    public void onMessage(@PathParam(value = "senderID") String senderID ,@PathParam(value = "recipientId") String recipientId,InputStream inputStream) {
        System.out.println(senderID+":發(fā)送給"+recipientId+"的消息-->"+inputStream);

        try {
            byte[] buff = new byte[inputStream.available()];
            inputStream.read(buff, 0, inputStream.available());
            Session session = webSocketSet.get("2");
            synchronized (session) {
                //給2號發(fā)送
                session.getBasicRemote().sendBinary(ByteBuffer.wrap(buff));
            }
        } catch (Exception e) {
            e.printStackTrace();
        }
    }




    /**
     * 發(fā)生錯誤時調用
     *
     * @param session
     * @param error
     */
    @OnError
    public void onError(Session session, Throwable error) {
        error.printStackTrace();
    }


    /**
     * 為指定用戶發(fā)送消息
     *
     * @param message 消息內容
     * @throws IOException
     */
    public void sendMessage(String message) throws IOException {
        //加同步鎖,解決多線程下發(fā)送消息異常關閉
        synchronized (this.WebSocketsession){
            this.WebSocketsession.getBasicRemote().sendText(message);
        }
    }

    /**
     * 獲取當前在線人數(shù)
     * @return 返回當前在線人數(shù)
     */
    public static synchronized int getOnlineCount() {
        return onlineCount;
    }

    /**
     * 增加當前在線人數(shù)
     */
    public static synchronized void addOnlineCount() {
        WebSocketServer.onlineCount++;
    }

    /**
     * 減少當前在線人數(shù)
     */
    public static synchronized void subOnlineCount() {
        WebSocketServer.onlineCount--;
    }

}

測試方法

1.使用兩個瀏覽器模擬兩個用戶,首先在瀏覽器本地存儲一個用戶ID
用戶A–谷歌瀏覽器:

用戶B–火狐瀏覽器

2.點擊按鈕,進行測試
3.關于谷歌瀏覽器提示TypeError: Cannot read property ‘getUserMedia’ of undefined

原因:chrome下獲取瀏覽器錄音功能,因為安全性問題,需要在localhost或127.0.0.1或https下才能獲取權限

解決方案:

1.網(wǎng)頁使用https訪問,服務端升級為https訪問,配置ssl證書
2.使用localhost或127.0.0.1 進行訪問
3.修改瀏覽器安全配置(最直接、簡單)
a.首先在chrome瀏覽器中輸入如下指令

chrome://flags/#unsafely-treat-insecure-origin-as-secure 

b.然后開啟Insecure origins treated as secure
在下方輸入欄內輸入你訪問的地址url,然后將右側Disabled 改成 Enabled即可

c.然后瀏覽器會提示重啟, 點擊Relaunch即可

參考文章

到此這篇關于WebSocket+Vue+SpringBoot實現(xiàn)語音通話的使用示例的文章就介紹到這了,更多相關WebSocket+Vue+SpringBoot語音通話內容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關文章希望大家以后多多支持腳本之家!

相關文章

  • 詳解jenkins自動部署springboot應用的方法

    詳解jenkins自動部署springboot應用的方法

    這篇文章主要介紹了詳解jenkins自動部署springboot應用的方法,小編覺得挺不錯的,現(xiàn)在分享給大家,也給大家做個參考。一起跟隨小編過來看看吧
    2018-08-08
  • java實現(xiàn)HmacSHA256算法進行加密方式

    java實現(xiàn)HmacSHA256算法進行加密方式

    這篇文章主要介紹了java實現(xiàn)HmacSHA256算法進行加密方式,具有很好的參考價值,希望對大家有所幫助。如有錯誤或未考慮完全的地方,望不吝賜教
    2022-08-08
  • Java使用原型模式展現(xiàn)每日生活應用案例詳解

    Java使用原型模式展現(xiàn)每日生活應用案例詳解

    這篇文章主要介紹了Java使用原型模式展現(xiàn)每日生活應用案例,較為詳細的分析了原型模式的概念、原理及Java使用原型模式展現(xiàn)每日生活案例的相關操作步驟與注意事項,需要的朋友可以參考下
    2018-05-05
  • java實現(xiàn)簡單五子棋小游戲(1)

    java實現(xiàn)簡單五子棋小游戲(1)

    這篇文章主要為大家詳細介紹了java實現(xiàn)簡單五子棋小游戲的第一部分,文中示例代碼介紹的非常詳細,具有一定的參考價值,感興趣的小伙伴們可以參考一下
    2022-01-01
  • spring-session自定義序列化方式

    spring-session自定義序列化方式

    這篇文章主要介紹了spring-session自定義序列化方式,具有很好的參考價值,希望對大家有所幫助。如有錯誤或未考慮完全的地方,望不吝賜教
    2021-12-12
  • jbuilder2006連接sqlserver2000的方法

    jbuilder2006連接sqlserver2000的方法

    xp jbuiler2006 連接SQL SERVER2000的問題
    2008-10-10
  • Java try-catch-finally異常處理機制詳解

    Java try-catch-finally異常處理機制詳解

    這篇文章主要介紹了Java try-catch-finally異常處理機制詳解,本篇文章通過簡要的案例,講解了該項技術的了解與使用,以下就是詳細內容,需要的朋友可以參考下
    2021-08-08
  • Java 安全模型,你了解了嗎

    Java 安全模型,你了解了嗎

    這篇文章主要介紹了Java 安全模型。Java的安全模型是其多個重要結構特點之一,它使Java成為適用于網(wǎng)絡環(huán)境的技術。Java安全模型側重于保護終端用戶免受從網(wǎng)絡下載的、來自不可靠來源的、惡意程序(以及善意程序中的bug)的侵犯。,需要的朋友可以參考下
    2019-06-06
  • JDK8配置環(huán)境變量的bat文件的詳細教程

    JDK8配置環(huán)境變量的bat文件的詳細教程

    這篇文章主要介紹了JDK8配置環(huán)境變量的bat文件,本文通過圖文并茂的形式給大家介紹的非常詳細,對大家的學習或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2020-07-07
  • 關于@RequestParam的主要用法詳解

    關于@RequestParam的主要用法詳解

    這篇文章主要介紹了關于@RequestParam的主要用法,具有很好的參考價值,希望對大家有所幫助,如有錯誤或未考慮完全的地方,望不吝賜教
    2025-03-03

最新評論