检查网络可用性
想象一下,当您的用户正在享受您的 Web 应用程序时,突然网络连接在他们的任务中变得无响应。在现代本机桌面和移动应用程序中,检查网络可用性是一项常见任务。
最常见的方法是简单地向应该启动的网站(例如,http://www.google.com)发出 HTTP 请求。如果请求成功,则桌面或移动设备知道存在活动连接。同样,HTML 有XMLHttpRequest用于确定网络可用性。
然而,HTML5 让它变得更加容易,并引入了一种检查浏览器是否可以接受 Web 响应的方法。这是通过导航器对象实现的 -
if (navigator.onLine) {
alert("You are Online");
}else {
alert("You are Offline");
}
离线模式意味着设备未连接或用户已从浏览器工具栏中选择离线模式。
以下是如何通知用户网络不可用并在发生 WebSocket 关闭事件时尝试重新连接 -
socket.onclose = function (event) {
// Connection closed.
// Firstly, check the reason.
if (event.code != 1000) {
// Error code 1000 means that the connection was closed normally.
// Try to reconnect.
if (!navigator.onLine) {
alert("You are offline. Please connect to the Internet and try again.");
}
}
}
接收错误信息的演示
以下程序解释了如何使用 WebSocket 显示错误消息 -
<!DOCTYPE html>
<html>
<meta charset = "utf-8" />
<title>WebSocket Test</title>
<script language = "javascript" type = "text/javascript">
var wsUri = "ws://echo.websocket.org/";
var output;
function init() {
output = document.getElementById("output");
testWebSocket();
}
function testWebSocket() {
websocket = new WebSocket(wsUri);
websocket.onopen = function(evt) {
onOpen(evt)
};
websocket.onclose = function(evt) {
onClose(evt)
};
websocket.onerror = function(evt) {
onError(evt)
};
}
function onOpen(evt) {
writeToScreen("CONNECTED");
doSend("WebSocket rocks");
}
function onClose(evt) {
writeToScreen("DISCONNECTED");
}
function onError(evt) {
writeToScreen('<span style = "color: red;">ERROR:</span> ' + evt.data);
}
function doSend(message) {
writeToScreen("SENT: " + message); websocket.send(message);
}
function writeToScreen(message) {
var pre = document.createElement("p");
pre.style.wordWrap = "break-word";
pre.innerHTML = message; output.appendChild(pre);
}
window.addEventListener("load", init, false);
</script>
<h2>WebSocket Test</h2>
<div id = "output"></div>
</html>
输出如下 -