是否有可能向所有活动的WebSocket连接发送消息?使用node.js或python龙卷风websockets



我正在尝试构建一个基于websocket的应用程序。

我想知道是否有可能向所有活动连接发送消息,因为它们是持久的。

假设我正在运行一个现场拍卖网站,我有多个用户观看拍卖页面,他们每个人都通过套接字连接到我的服务器。现在假设有一个用户提高了出价。我想向所有连接的客户端发送消息。最简单的方法是让客户端通过套接字每秒轮询服务器,但我认为websockets的想法是有真正的双向通信。

如何做到这一点?

thanks in advance,

Rotem

插座。io解决方案:

// note, io.listen() will create a http server for you
var io = require('socket.io').listen(80);
io.sockets.on('connection', function (socket) {
  io.sockets.emit('this', { will: 'be received by everyone' });
  socket.on('private message', function (msg) {
    console.log('I received a private message from ', socket.id, ' saying ', msg);
    // Echo private message only to the client who sent it
    socket.emit('private message', msg);
  });
  socket.on('disconnect', function () {
    // This will be received by all connected clients
    io.sockets.emit('user disconnected');
  });
});
all_active_connections = {};

weboket服务器(有很多),手动执行相同操作:

  var ws = require("ws");
  global_counter = 0;
  all_active_connections = {};
  ws.createServer(function (websocket) 
  {
      websocket.on('connect', function() 
      {
          var id = global_counter++;
          all_active_connections[id] = websocket;
          websocket.id = id; 
      }).on('data', function (data) {
          if (data == 'broadcast me!')
          {
              for (conn in all_active_connections)
                 all_active_connections[conn].write(data);
          }       
      }
    }).on('close', function() {
        delete all_active_connections[websocket.id];
    });
  }).listen(8080);

对于基于tornado/tornadio的解决方案,SocketConnection类需要在类级别维护一个连接列表。on_connect处理程序将连接添加到该列表中,而on_close将删除它。有关伪代码示例,请参阅Serge S. Koval的这篇文章。代码复制如下:

声明你的TornadIO连接类

class MyConnection(SocketConnection):
    participants = set()
    @classmethod
    def broadcast(cls, msg):
        for p in cls.participants:
            p.send(msg)
    @classmethod
    def controller_msg(cls, msg):
        cls.broadcast(msg)

在设备轮询线程中,执行如下操作:

while True: 
    datum = file.readline() 
    if len(datum) > 2: 
        t = json.loads(datum) 
        ...
        def callback():
            MyConnection.controller_msg(t)
        io_loop.add_callback(callback)

此外,gevent-socketio支持消息广播,但它基于gevent,而不是tornado。

更新:

tornadio2已经维护了一个活动会话列表,所以您需要做的就是:

class MyConnection(SocketConnection):
    def broadcast(self, event, message):
        for session_id, session in self.session.server._sessions._items.iteritems():
            session.conn.emit(event, message)

这是有效的,因为每个连接实例都有一个对它的会话的引用,它有一个对用于创建应用程序的全局路由器的引用(存储为server),它在_sessionsSessionContainer对象中维护会话列表。现在,当您想要在连接类中广播消息时,只需执行:

self.broadcast('my_custom_event', 'my_event_args')

这个redis + websockets (on tornado)的例子应该对你有所帮助。基本上,您有一个应该通知的侦听器列表,一旦接收到消息,就遍历该列表并通知它们。

相关内容

  • 没有找到相关文章

最新更新