9

场景:您想知道 TURN 服务器是否正在用于特定调用,以及您在创建 PeerConnection 期间提供的 TURN 服务器阵列中的哪一个正在使用。目前有两种选择:

  • Wireshark:但是当你在公司代理后面并且 TURN 服务器在外面时,wireshark 会显示代理 IP 作为目的地。(更不用说在后台运行它的不便)
  • 浏览统计页面并找出,chrome --> chrome://webrtc-internals 和 Firefox --> about:webrtc

我想使用上述两种方法的替代方法,以编程方式确定这一点,这样我就不必离开我的应用程序页面。

4

2 回答 2

6

更新:我已使用maplike 更新了示例以遵循最新规范getStats

以下方法遵循规范,目前仅适用于 Firefox,因为 Chrome 目前实现getStats()不正确。希望adapter.js polyfill的一个版本很快就可以使用,它也可以在 Chrome 中使用。

当你在 Firefox 中运行这个小提琴时,你会看到:

checking
connected
Does not use TURN

这是因为该示例同时提供了 STUN 和 TURN 服务器。但是当我修改配置以仅使用 TURN 时iceTransportPolicy: "relay",我看到:

checking
connected
Uses TURN server: 10.252.73.50

请注意,我使用的转向服务器位于 VPN 后面,因此它对您不起作用,但请随意使用您自己的服务器修改小提琴(除非您希望信息公开,否则不要保存它!)

虽然我没有测试过一个以上的回合服务器,但您可以看到显示的 IP 地址与配置的回合服务器匹配,因此应该可以使用这种方法判断使用了哪个服务器。

// Turn server is on Mozilla's VPN.
var cfg = { iceTransportPolicy: "all", // set to "relay" to force TURN.
            iceServers: [{ urls: "stun:stun.l.google.com:19302" },
                         { urls: "turn:10.252.73.50",
                           username:"webrtc", credential:"firefox" }] };
var pc1 = new RTCPeerConnection(cfg), pc2 = new RTCPeerConnection(cfg);

pc1.onicecandidate = e => pc2.addIceCandidate(e.candidate);
pc2.onicecandidate = e => pc1.addIceCandidate(e.candidate);
pc2.oniceconnectionstatechange = () => log(pc2.iceConnectionState);
pc2.onaddstream = e => v2.srcObject = e.stream;

var findSelected = stats =>
  [...stats.values()].find(s => s.type == "candidate-pair" && s.selected);

var start = () => navigator.mediaDevices.getUserMedia({ video: true })
  .then(stream => pc1.addStream(v1.srcObject = stream))
  .then(() => pc1.createOffer()).then(d => pc1.setLocalDescription(d))
  .then(() => pc2.setRemoteDescription(pc1.localDescription))
  .then(() => pc2.createAnswer()).then(d => pc2.setLocalDescription(d))
  .then(() => pc1.setRemoteDescription(pc2.localDescription))
  .then(() => waitUntil(() => pc1.getStats().then(s => findSelected(s))))
  .then(() => pc1.getStats())
  .then(stats => {
    var candidate = stats.get(findSelected(stats).localCandidateId);
    if (candidate.candidateType == "relayed") {
      log("Uses TURN server: " + candidate.ipAddress);
    } else {
      log("Does not use TURN (uses " + candidate.candidateType + ").");
    }
  })
  .catch(log);

var waitUntil = f => Promise.resolve(f())
  .then(done => done || wait(200).then(() => waitUntil(f)));

var wait = ms => new Promise(resolve => setTimeout(resolve, ms));
var log = msg => div.innerHTML += msg +"<br>";
var failed = e => log(e +", line "+ e.lineNumber);
<video id="v1" width="108" height="81" autoplay></video>
<video id="v2" width="108" height="81" autoplay></video><br>
<button onclick="start()">Start!</button><br><div id="div"></div>
<script src="https://webrtc.github.io/adapter/adapter-latest.js"></script>

于 2015-08-25T21:33:02.350 回答
4

我编写并测试了下面的代码,在最新版本的 firefox 和 chrome 中工作,getConnectionDetails返回一个可以解析连接细节的承诺:

function getConnectionDetails(peerConnection){


  var connectionDetails = {};   // the final result object.

  if(window.chrome){  // checking if chrome

    var reqFields = [   'googLocalAddress',
                        'googLocalCandidateType',   
                        'googRemoteAddress',
                        'googRemoteCandidateType'
                    ];
    return new Promise(function(resolve, reject){
      peerConnection.getStats(function(stats){
        var filtered = stats.result().filter(function(e){return e.id.indexOf('Conn-audio')==0 && e.stat('googActiveConnection')=='true'})[0];
        if(!filtered) return reject('Something is wrong...');
        reqFields.forEach(function(e){connectionDetails[e.replace('goog', '')] = filtered.stat(e)});
        resolve(connectionDetails);
      });
    });

  }else{  // assuming it is firefox
    return peerConnection.getStats(null).then(function(stats){
        var selectedCandidatePair = stats[Object.keys(stats).filter(function(key){return stats[key].selected})[0]]
          , localICE = stats[selectedCandidatePair.localCandidateId]
          , remoteICE = stats[selectedCandidatePair.remoteCandidateId];
        connectionDetails.LocalAddress = [localICE.ipAddress, localICE.portNumber].join(':');
        connectionDetails.RemoteAddress = [remoteICE.ipAddress, remoteICE.portNumber].join(':');
        connectionDetails.LocalCandidateType = localICE.candidateType;
        connectionDetails.RemoteCandidateType = remoteICE.candidateType;
        return connectionDetails;
    });

  }
}

我想指出一件事,所有这三种方法都在一种情况下失败:两台转向服务器在不同端口上从同一台机器上运行,我发现唯一可靠的方法是查看转向服务器日志。

于 2015-08-21T09:38:23.423 回答