0

npm ws使用这个实现作为我的 WebSocket 服务器:

const fs = require("fs");
const https = require("https");
const WebSocket = require("ws");

const server = https.createServer({
  cert: fs.readFileSync("./cert.pem"),
  key: fs.readFileSync("./key.pem"),
});
const wss = new WebSocket.Server({ server, clientTracking: true });

这是我的听众:

wss.on("connection", function connection(ws) {
  console.log("connection");

  ws.on("close", function close(ws) {
    console.log("disconnect");
  });

  ws.on("message", function incoming(message) {
    console.log("INBOUND MESSAGE: %s", message);
    obj = JSON.parse(message);

    switch (obj.action) { ....

我正在使用套接字服务器来设置纸牌游戏。我能够附加ws来自on("message对象的连接(例如,player[id].ws = ws),并且我能够使用附加的数据来发送消息(例如,ws.send(player[id].ws, ____);

我面临的挑战是当连接断开时,我需要清理玩家周围的所有游戏数据(游戏数据、玩家数据等)。但是,当"close"侦听器触发时,ws数据中没有任何数据,因此我可以识别谁丢弃并清理数据?

我希望能够on("message"设置ws.playerId='ksjfej,所以当我得到ws("close"我可以ws.playerId用来清理的时候。

4

1 回答 1

1

也许您没有意识到,但在close事件内部ws,表示连接的变量完全在范围内,只要您ws从回调中删除错误声明的参数。所以,这会奏效。

wss.on("connection", function connection(ws) {
  console.log("connection");

  // change this callback signature to remove the `ws`
  ws.on("close", function(/* no ws here */) {
    console.log("disconnect");
    // you can reference the `ws` variable from a higher scope here
    // you just have to remove it from the function parameter list here
    // because it isn't passed to the event itself.
    console.log(ws);   // this will get ws from the higher scope
  });
});
于 2020-05-09T05:11:08.647 回答