我正在尝试运行此代码:
function smConnect() {
ws = new WebSocket('ws://127.0.0.1:1805/');
delete ws.URL;
ws.onopen = function(response) {};
ws.onmessage = function(response) {};
ws.onclose = function(response) {};
ws.onerror = function(error) {};
}
smConnect();
ws.send('message', 'hi');
但是它给我发了这个错误:
未捕获的InvalidStateError:无法在'WebSocket'上执行'send':仍处于CONNECTING状态。
可能是什么问题?
答案 0 :(得分:1)
你可以这样做,它添加一些日志记录,发送你可以在你的构造函数之外处理的信息,你也可以在自己的命名空间中抽象出SocketWrapper(好吧,是的,它'现在在窗口中:))
您可以检查开发工具(大多数浏览器中的F12)以查看日志/错误中发生的事情,例如:此处它会抛出错误,因为没有可用的套接字:)
并且您不需要为所有事件提供值,只需要您需要的事件(您的情况是开启+可能是消息吗?)
(在定义的回调中,这将指向套接字,而不是SocketWrapper,SocketWrapper也不提供ws变量,它是私有的,但我应该这样做)< / p>
SocketWrapper上有一个send方法,当你发送到一个封闭的流时会抛出一个错误,但是如果它还没有打开,它会将消息排队直到它被打开然后清空排队到websocket(所以很快你就不需要设置onopen回调,只需使用send方法添加它就可以了;)
(function(nameSpace) {
function createMethod(method, options, stateCallback) {
var that = this;
this[method] = function() {
if (stateCallback && stateCallback.apply) {
stateCallback(method);
}
console.info(method);
if (options[method] && options[method].apply) {
options[method].apply(that, arguments);
}
};
}
function SocketWrapper(options) {
var ws,
events = ['onopen', 'onmessage', 'onclose', 'onerror'],
i, len, prop = {
opened: false,
closed: false,
error: false
},
method;
if (typeof options === 'undefined' || !options) {
throw 'ArgumentException: please add default constructor options';
}
this.queue = [];
this.onEventTrigger = function(eventName) {
var i, len;
if (eventName === 'onopen') {
prop.opened = true;
prop.closed = false;
// openend send queue
if (this.queue.length > 0) {
for (i = this.queue.length; --i >= 0;) {
this.send.apply(this, this.queue[0]);
this.queue.splice(0, 1);
}
}
}
if (eventName === 'onerror') {
prop.error = true;
}
if (eventName === 'onclosed') {
prop.opened = false;
prop.closed = true;
}
};
this.init = function() {
var cb = this.onEventTrigger.bind(this);
ws = new WebSocket(options.url);
for (i = 0; i < events.length; i++) {
method = events[i];
createMethod.apply(ws, [method, options, cb]);
}
};
this.send = function() {
if (prop.closed) {
throw 'InvalidOperation: Cannot send messages to a closed Websocket!';
}
if (!prop.opened) {
this.queue.push(arguments);
} else {
ws.send.apply(ws, arguments);
}
};
this.init();
return this;
}
window.SocketWrapper = SocketWrapper;
}(window));
var socket = new window.SocketWrapper({
url: 'ws://127.0.0.1:1805',
onopen: function() {
this.send('message', 'hi');
},
onmessage: function() {
console.log(arguments);
},
onclose: function() {
socket = null;
},
onerror: function() {
console.log('error occured, oh no!');
console.error(arguments);
}
});
socket.send('i am message send to soon, but since i check the state of the ws object, i will be queued and send when appropriate');
&#13;