如何检查使用socket.io库发送的消息是否已接收到客户端。socket.io 中是否有特殊的方法?
感谢您的回答!
如何检查使用socket.io库发送的消息是否已接收到客户端。socket.io 中是否有特殊的方法?
感谢您的回答!
您应该在定义事件处理程序时使用回调参数。
一个典型的实现如下:
客户端
var socket = io.connect('http://localhost');
socket.emit('set', 'is_it_ok', function (response) {
console.log(response);
});
服务器端
io.sockets.on('connection', function (socket) {
socket.on('set', function (status, callback) {
console.log(status);
callback('ok');
});
});
现在检查服务器端的控制台。它应该显示“is_it_ok”。接下来检查客户端的控制台。它应该显示“确定”。那是确认信息。
socket.io 连接本质上是持久的。以下内置函数可让您根据连接状态采取行动。
socket.on('disconnect', function() {} ); // wait for reconnect
socket.on('reconnect', function() {} ); // connection restored
socket.on('reconnecting', function(nextRetry) {} ); //trying to reconnect
socket.on('reconnect_failed', function() { console.log("Reconnect failed"); });
使用上面显示的回调选项实际上是以下两个步骤的组合:
socket.emit('callback', 'ok') // happens immediately
在客户端
socket.on('callback', function(data) {
console.log(data);
});
所以你不需要使用计时器。回调会立即运行,除非连接具有以下任何状态 - 'disconnect'、'reconnecting'、'reconnect_failed'。
您可以使用 socket.io 的确认。
引用 socket.io 文档:
有时,您可能希望在客户端确认消息接收时获得回调。
为此,只需将函数作为
.send
or 的最后一个参数传递.emit
。更重要的是,当你使用时.emit
,确认是由你完成的,这意味着你也可以传递数据。
在客户端只需使用您的数据发出事件,只要服务器响应您的事件,就会调用该函数:
client.emit("someEvent", {property:value}, function (data) {
if (data.error)
console.log('Something went wrong on the server');
if (data.ok)
console.log('Event was processed successfully');
});
在服务器端,您会被调用数据和回调句柄以发送响应:
socket.on('someEvent', function (data, callback) {
// do some work with the data
if (err) {
callback({error:'someErrorCode', msg:'Some message'});
return;
}
callback({ok:true});
});
当你添加一个函数作为.send()
或.emit()
方法调用的最后一个参数时,当对方收到消息时调用这个函数。
socket.send('hi', function() {
// if we are here, our salutation has been received by the other party.
});