最近、正常に動作するローカルWebSocketサーバーをセットアップしましたが、クライアントまたはサーバーが意図的に開始したことのない突然の接続の切断を処理する方法を理解するのに少し苦労しています。引き出しなど...クライアントの接続が10秒以内に失われたかどうかを知る必要があります。
クライアント側の接続は単純です:
var websocket_conn = new WebSocket('ws://192.168.0.5:3000');
websocket_conn.onopen = function(e) {
console.log('Connected!');
};
websocket_conn.onclose = function(e) {
console.log('Disconnected!');
};
接続切断を手動でトリガーできますが、これは正常に機能しますが、
websocket_conn.close();
しかし、単にイーサネットケーブルをコンピューターの背面から引き出した場合、または接続を無効にした場合、onclose
は呼び出されません。私は別の投稿で TCPが接続の喪失を検出 のときに最終的に呼び出されることを読みましたが、Firefoxのデフォルトが10分であると思うので、タイムリーに必要ではありません。本当に何百台ものコンピューターを使いたくないabout:config
この値を変更します。私が読んだ他の唯一の提案は、websocketのアイデアに反するように思われる「ping/pong」キープアライブポーリングスタイルの方法を使用することです。
この種の切断動作を検出する簡単な方法はありますか?私が読んでいる古い投稿はまだ技術的な点から最新のものであり、最良の方法は依然として「ピンポン」スタイルですか?
これは私がやった解決策であり、当分の間はうまくいくようです、それは私のプロジェクトのセットアップに完全に固有であり、元々私の質問で言及されていなかった基準に依存していますが、それは他の誰かにとって有用かもしれません彼らがたまたま同じことをしているなら。
Websocketサーバーへの接続はFirefoxアドオン内で行われ、デフォルトではFirefoxのTCPセットアップのタイムアウトは10分間です。追加の詳細はabout:config
およびTCPの検索。
Firefoxアドオンはこれらのパラメーターにアクセスできます
var prefs = Components.classes["@mozilla.org/preferences-service;1"].getService(Components.interfaces.nsIPrefService);
また、新しい値とともにブランチと設定を指定して、これらのパラメーターを変更します
prefs.getBranch("network.http.tcp_keepalive.").setIntPref('long_lived_idle_time', 10);
そのため、アドオンがインストールされたコンピューターには、TCP接続のタイムアウトが10秒あります。接続が失われると、onclose
イベントがトリガーされ、アラートが表示されます。接続を再確立する
websocket_conn.onclose = function (e) {
document.getElementById('websocket_no_connection').style.display = 'block';
setTimeout(my_extension.setup_websockets, 10000);
};
受信時にサーバーにコードを作成します__ ping __ send __ pong __ back
JavaScriptコードを以下に示します
function ping() {
ws.send('__ping__');
tm = setTimeout(function () {
/// ---connection closed ///
}, 5000);
}
function pong() {
clearTimeout(tm);
}
websocket_conn.onopen = function () {
setInterval(ping, 30000);
}
websocket_conn.onmessage = function (evt) {
var msg = evt.data;
if (msg == '__pong__') {
pong();
return;
}
//////-- other operation --//
}
私はping/pongアイデアを使用しましたが、うまく機能します。 server.jsファイルでの実装は次のとおりです。
var SOCKET_CONNECTING = 0;
var SOCKET_OPEN = 1;
var SOCKET_CLOSING = 2;
var SOCKET_CLOSED = 3;
var WebSocketServer = require('ws').Server
wss = new WebSocketServer({ port: 8081 });
//Broadcast method to send message to all the users
wss.broadcast = function broadcast(data,sentBy)
{
for (var i in this.clients)
{
if(this.clients[i] != sentBy)
{
this.clients[i].send(data);
}
}
};
//Send message to all the users
wss.broadcast = function broadcast(data,sentBy)
{
for (var i in this.clients)
{
this.clients[i].send(data);
}
};
var userList = [];
var keepAlive = null;
var keepAliveInterval = 5000; //5 seconds
//JSON string parser
function isJson(str)
{
try {
JSON.parse(str);
}
catch (e) {
return false;
}
return true;
}
//WebSocket connection open handler
wss.on('connection', function connection(ws) {
function ping(client) {
if (ws.readyState === SOCKET_OPEN) {
ws.send('__ping__');
} else {
console.log('Server - connection has been closed for client ' + client);
removeUser(client);
}
}
function removeUser(client) {
console.log('Server - removing user: ' + client)
var found = false;
for (var i = 0; i < userList.length; i++) {
if (userList[i].name === client) {
userList.splice(i, 1);
found = true;
}
}
//send out the updated users list
if (found) {
wss.broadcast(JSON.stringify({userList: userList}));
};
return found;
}
function pong(client) {
console.log('Server - ' + client + ' is still active');
clearTimeout(keepAlive);
setTimeout(function () {
ping(client);
}, keepAliveInterval);
}
//WebSocket message receive handler
ws.on('message', function incoming(message) {
if (isJson(message)) {
var obj = JSON.parse(message);
//client is responding to keepAlive
if (obj.keepAlive !== undefined) {
pong(obj.keepAlive.toLowerCase());
}
if (obj.action === 'join') {
console.log('Server - joining', obj);
//start pinging to keep alive
ping(obj.name.toLocaleLowerCase());
if (userList.filter(function(e) { return e.name == obj.name.toLowerCase(); }).length <= 0) {
userList.Push({name: obj.name.toLowerCase()});
}
wss.broadcast(JSON.stringify({userList: userList}));
console.log('Server - broadcasting user list', userList);
}
}
console.log('Server - received: %s', message.toString());
return false;
});
});
これが私のindex.htmlファイルです。
<!doctype html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no">
<title>Socket Test</title>
</head>
<body>
<div id="loading" style="display: none">
<p align="center">
LOADING...
</p>
</div>
<div id="login">
<p align="center">
<label for="name">Enter Your Name:</label>
<input type="text" id="name" />
<select id="role">
<option value="0">Attendee</option>
<option value="1">Presenter</option>
</select>
<button type="submit" onClick="login(document.getElementById('name').value, document.getElementById('role').value)">
Join
</button>
</p>
</div>
<div id="presentation" style="display: none">
<div class="slides">
<section>Slide 1</section>
<section>Slide 2</section>
</div>
<div id="online" style="font-size: 12px; width: 200px">
<strong>Users Online</strong>
<div id="userList">
</div>
</div>
</div>
<script>
function isJson(str) {
try {
JSON.parse(str);
}
catch (e) {
return false;
}
return true;
}
var ws;
var isChangedByMe = true;
var name = document.getElementById('name').value;
var role = document.getElementById('role').value;
function init()
{
loading = true;
ws = new WebSocket('wss://web-sockets-design1online.c9users.io:8081');
//Connection open event handler
ws.onopen = function(evt)
{
ws.send(JSON.stringify({action: 'connect', name: name, role: role}));
}
ws.onerror = function (msg) {
alert('socket error:' + msg.toString());
}
//if their socket closes unexpectedly, re-establish the connection
ws.onclose = function() {
init();
}
//Event Handler to receive messages from server
ws.onmessage = function(message)
{
console.log('Client - received socket message: '+ message.data.toString());
document.getElementById('loading').style.display = 'none';
if (message.data) {
obj = message.data;
if (obj.userList) {
//remove the current users in the list
userListElement = document.getElementById('userList');
while (userListElement.hasChildNodes()) {
userListElement.removeChild(userListElement.lastChild);
}
//add on the new users to the list
for (var i = 0; i < obj.userList.length; i++) {
var span = document.createElement('span');
span.className = 'user';
span.style.display = 'block';
span.innerHTML = obj.userList[i].name;
userListElement.appendChild(span);
}
}
}
if (message.data === '__ping__') {
ws.send(JSON.stringify({keepAlive: name}));
}
return false;
}
}
function login(userName, userRole) {
if (!userName) {
alert('You must enter a name.');
return false;
}
//set the global variables
name = userName;
role = userRole;
document.getElementById('loading').style.display = 'block';
document.getElementById('presentation').style.display = 'none';
document.getElementById('login').style.display = 'none';
init();
}
</script>
</body>
</html>
自分で試してみたい場合は、クラウド9サンドボックスへのリンクを次に示します。 https://ide.c9.io/design1online/web-sockets
Websocketプロトコルは pingとpongの制御フレーム を定義します。したがって、基本的に、サーバーがpingを送信すると、ブラウザーはピンポンで応答し、逆の場合も動作するはずです。おそらく、使用するWebSocketサーバーがそれらを実装しており、ブラウザーが応答するか、デッドと見なされるタイムアウトを定義できます。これは、ブラウザとサーバーの両方での実装に対して透過的でなければなりません。
これらを使用して、ハーフオープン接続を検出できます。 http://blog.stephencleary.com/2009/05/detection-of-half-open-dropped.html