问题是套接字还没有打开。在异步事件发生之前WebSocket.send
不能使用。 onopen
在使用setTimeout
(足够长的持续时间)“应该工作”时,处理异步 JavaScript 编程的正确方法是将程序流视为一系列相关事件。
无论如何,这里是一个小例子,展示了如何使用jQuery Deferred Object(从 jQuery 1.8 开始,它没有被破坏并遵守Promises/A契约):
Main.socket = (function($) {
var socket = new WebSocket("ws://server:port");
// Promise will be called with one argument, the "send" function for this
// socket.
var readyPromise = $.Deferred();
socket.onopen = function() {
console.log("Socket has been opened!");
readyPromise.resolve(socket.send)
}
return readyPromise;
})(jQuery);
然后,在使用这个小模块的代码中:
Main.socket.then(function (send) {
// This will only be called after `Promise.resolve` is called in the module
// which will be called in the `WebSocket.onopen` callback.
send("Hello world!");
})
// This code may or may not execute before the `then` function above
// depending upon the state the Promise/Deferred Object.
// However, we can get consistent program flow by using `then`-chaining
// of promises.
当然,您不必使用 Promises - 回调可以正常工作,尽管我更喜欢 Promises 的统一合同/框架 - 您可以使用最合适的任何名称或结构。
另外,请注意,在整个页面生命周期中使用单个 WebSocket可能并不好,因为这将无法正确处理断开连接和恢复情况。