如何等待socketIO客户端发出



我想制作一个函数,express服务器会将其发送到客户端(python(,python会做一些事情并将结果发送回服务器。服务器将等待客户端发出的结果,并将结果返回到前端。如果过了一段时间,python仍然没有发出什么东西,express服务器会告诉前端并没有收到结果。我可以使用promise并设置超时来等待来自python的发送消息吗?

应该不是什么大问题。请参阅socket.io文档中的确认。他们甚至有一个超时的例子:

// express server endpoint
app.get('/somethingcool', (req, res) => {
// assuming socket will be the client socket of the python server
socket.emit("do_something_i_will_wait", {/* data */}, withTimeout((response) => {
console.log("success!");
res.status(200).send(response);
}, () => {
console.log("timeout!");
res.status(500).send("python took to long to reply");
}, 5000));

});
// helper function for timeout functionality
const withTimeout = (onSuccess, onTimeout, timeout) => {
let called = false;
const timer = setTimeout(() => {
if (called) return;
called = true;
onTimeout();
}, timeout);
return (...args) => {
if (called) return;
called = true;
clearTimeout(timer);
onSuccess.apply(this, args);
}
}

确认的工作方式

所以我们从服务器向客户端发送一些简单的东西,作为最后一个参数,我们将放置一个函数——这将是我们的确认函数。

// server 
socket.emit("ferret", "tobi", (data_from_client) => {
console.log(data_from_client); // data will be "woot"
});

在客户端,它看起来是这样的。我们为事件监听器设置的回调";雪貂;采用2个参数,即我们从服务器传递到客户端的数据,以及我们的确认函数。

// client
client.on("ferret", (name, fn) => {
fn("woot");
});

更简单的示例

我知道socket.io文档中的withTimeout示例可能有点难以理解,所以这里有一个不那么复杂的示例,它基本上是一样的:

app.get('/somethingcool', (req, res) => {

let got_reply = false;

const timeout = setTimeout(() => {
if (got_reply) { return; }
got_reply = true;
res.status(500).send("too late");
}, 5000);

socket.emit("do_something_i_will_wait", {}, (reply) => {
if (got_reply) { return };
got_reply = true;
clearTimeout(timeout);
res.status(200).send(reply);
});
});

相关内容

  • 没有找到相关文章

最新更新