Видео/аудио связь

Я пытаюсь создать веб-приложение для видеоконференций, используя peer/getUserMedia.

В настоящее время, когда я отправляю уникальный идентификатор на видеоконференцию, я могу слышать/видеть всех, кто присоединяется к моему сеансу.

Однако только первый человек, который присоединится к моему сеансу, может общаться/видеть меня.

Я хочу сделать так, чтобы другие пользователи могли видеть/слышать каждого пользователя, который участвует в видеоконференции.

Пока это то, что я работаю до сих пор. Кроме того, код, который написан в настоящее время, всякий раз, когда присоединяется новый пользователь, мое видео снова добавляется, поэтому я вижу два своих видео (если я хозяин), но это будет легко исправить для меня.

<html>
   <body>
      <h3 id="show-peer"></h3>
      <div style="display: grid; justify-content: space-around; margin:10px;">
         <div style="width: 300px;height: 200px;transform: scale(-1, 1);border: 2px solid; display:grid; margin-bottom: 5%;" id="ourVideo"></div>
         <div style="width: 300px;height: 200px;transform: scale(-1, 1);border: 2px solid; display: grid;" id="remoteVideo"></div>
      </div>
      <input id="peerID" placeholder="Peer ID">
      <button id="call-peer" onclick="callPeer()">Call Peer</button>
      <br>
      <button id="screenShare"onclick="shareScreen()">Share Screen</button>
   </body>
   <script src="https://unpkg.com/[email protected]/dist/peerjs.min.js"></script>
   <script>
      window.addEventListener('load',(event)=>{
          var peer= new Peer()
          var myStream;
          var currentPeer;
          var peerList=[];
          peer.on('open',function(id){
              document.getElementById("show-peer").innerHTML=id
          })
          peer.on('call',function(call){
              navigator.mediaDevices.getUserMedia({
                  video:true,
                  audio:true
              }).then((stream)=>{
                  myStream = stream
                  addOurVideo(stream)
                  call.answer(stream)
                  call.on('stream',function(remoteStream){
                      if(!peerList.includes(call.peer)){
                          addRemoteVideo(remoteStream)
                          currentPeer = call.peerConnection
                          peerList.push(call.peer)
                      }
                      
                  })
              }).catch((err)=>{
                  console.log(err+" unable to get media")
              })
          })
          function stopScreenShare(){
              let videoTrack = myStream.getVideoTracks()[0];
              var sender = currentPeer.getSenders().find(function(s){
                  return s.track.kind ==videoTrack.kind;
              })
              sender.replaceTrack(videoTrack)
          };
          document.getElementById("call-peer").addEventListener('click',(e)=>{
              let remotePeerId= document.getElementById("peerID").value;
              document.getElementById("show-peer").innerHTML= "connecting "+remotePeerId;
              console.log(remotePeerId)
              callPeer(remotePeerId);
          })
          document.getElementById("screenShare").addEventListener('click',(e)=>{
              navigator.mediaDevices.getDisplayMedia({
                  video: {
                      cursor: "always"
                  },
                  audio:{  
                      autoGainControl: false,
                      echoCancellation: false, 
                      googAutoGainControl: false,
                      noiseSuppression: false 
                  }
              }).then((stream)=>{
                      let videoTrack = stream.getVideoTracks()[0];
      
                      videoTrack.onended = function(){
                          stopScreenShare()
                      }
                      let sender = currentPeer.getSenders().find(function(s){
                          return s.track.kind == videoTrack.kind
                      })
                      sender.replaceTrack(videoTrack)
                  }).catch((err)=>{
                      console.log("unable to get display media"+err)
                  })
              })
          function callPeer(id){
              navigator.mediaDevices.getUserMedia({
                  video:true,
                  audio:true
              }).then((stream)=>{
                  myStream = stream
                  addOurVideo(stream)
                  let call = peer.call(id,stream)
                  call.on('stream',function(remoteStream){
                      if(!peerList.includes(call.peer)){
                          addRemoteVideo(remoteStream)
                          currentPeer = call.peerConnection
                          peerList.push(call.peer)
                      }
                      
                  })
              }).catch((err)=>{
                  console.log(err+" unable to get media")
              })
          }
          function addRemoteVideo(stream){
              let video = document.createElement("video");
              video.classList.add("video")
              video.srcObject = stream;
              video.play()
              document.getElementById("remoteVideo").append(video)
          }
          function addOurVideo(stream){
              let video = document.createElement("video");
              video.classList.add("video")
              video.srcObject = stream;
              video.play()
              video.muted=true;
              document.getElementById("ourVideo").append(video)
          }
      });
   </script>
</html>

person Trush P    schedule 28.10.2020    source источник
comment
Мой ответ вам вообще помог?   -  person Adam G.    schedule 06.11.2020


Ответы (1)


Я думаю, вам нужно будет создать сетку. Таким образом, с 3 одноранговыми узлами каждый пользователь (пир) устанавливает два соединения, по одному для каждого из двух других пользователей. На стороне каждого клиента есть два совершенно разных соединения.

Пользователь @daGrevis задал вопрос этот вопрос на GitHub PeerJs. В конечном счете, это реализация, которую они использовали для многопользовательского чата, которая может помочь:

Chat = React.createClass
    displayName: "Foo"

    getInitialState: ->
        messages: []

    connectionsToPeerIds: (connections) ->
        _.map connections, (connection) => connection.peer

    componentWillMount: ->
        who = getSegments()[1]
        peer = new Peer who, key: PEER_KEY, debug: 2
        @connections = []

        peer.on "error", (error) =>
            alert error.type

        peer.on "open", (peerId) =>
            if who == "x"
                peer.on "connection", (connection) =>
                    @connections.push connection

                    @listenForMessage connection

                    peerIds = @connectionsToPeerIds @connections

                    connection.on "open", =>
                        connectionsWithoutNewConnection = _.filter @connections, (c) -> c.peer != connection.peer
                        peerIdsWithoutNewConnection = @connectionsToPeerIds connectionsWithoutNewConnection

                        if peerIdsWithoutNewConnection.length
                            connection.send type: "newConnection", peerIds: peerIdsWithoutNewConnection

            if who != "x"
                connection = peer.connect "x"

                connection.on "error", (error) =>
                    alert error

                connection.on "open", =>
                    @connections.push connection

                    @listenForMessage connection

                    connection.on "data", (data) =>
                        if data.type == "newConnection"
                            peerIds = data.peerIds
                            _.forEach peerIds, (peerId) =>
                                connection = peer.connect peerId

                                do (connection) =>
                                    connection.on "error", (error) =>
                                        alert error.type

                                    connection.on "open", =>
                                        @connections.push connection
                                        @listenForMessage connection

                peer.on "connection", (connection) =>
                    connection.on "open", =>
                        @connections.push connection

                        @listenForMessage connection

Затем я нашел экземпляр, в котором пользователь @mluketin использовал peerjs-сервер, и создал пример конференц-связи https://github.com/mluketin/peerjs-helloworld-conference

Из того, что я знаю и читал, похоже, что дизайн сетки является самым простым способом, но ограниченным скоростью самого медленного узла. Так что, если вам нужно всего 3-5 человек, все должно быть в порядке. В противном случае вам, вероятно, придется следовать примеру млукетина.


Дополнительные ссылки, которые могут помочь:

  1. Наличие нескольких одноранговых узлов PeerJS?
  2. Многостороннее приложение peer.js
person Adam G.    schedule 30.10.2020