在http请求上触发socket.emit()

时间:2013-08-01 20:56:30

标签: node.js express socket.io

现在我有以下代码:foo

sIo.sockets.on('connection', function(socket){
  socket.emit('hello', 'world');
});

当有人从我的路线打开一个页面时,我希望能够发出这样的信息:

//app.js
app.get('/send', routes.index);

//routes.js
exports.index = function(req, res){
  socket.emit('hello', 'world');
};

我怎样才能做到这一点?提前致谢

1 个答案:

答案 0 :(得分:1)

要向所有连接的套接字发送套接字消息,您只需调用io.sockets.emit而不是socket.emit。有几种使用socket.io发送消息的方法,我将在下面概述。

// Send the message to all connected clients
io.sockets.emit('message', data);

// Send the message to only this client
socket.emit('message', data);

// Send the messages to all clients, except this one.
socket.broadcast.emit('message', data);

还有一个房间概念,您可以用它来分割您的客户。

// Have a client join a room.
socket.join('room')

// Send a message to all users in a particular room
io.sockets.in('room').emit('message', data);

所有这些都涵盖了如何发送消息,但现在很明显,您正在询问如何从单独的文件中访问套接字和/或io对象。一个选项只是将这些依赖项传递给指定的文件。您的需求线最终会看起来像这样。

var routes = require('./routes')(io);

其中io是从.listen创建的socket.io对象。要在路径文件中处理它,您必须更改定义导出的方式。

module.exports = function(io) {
  return {
    index: function(req, res) {
      io.sockets.emit('hello', 'world');
      res.send('hello world');
    }
  };
}

更清洁的实现会让您的路由公开您的套接字代码可以绑定的事件。以下是未经测试的,但应该非常接近。

var util = require("util"),
    events = require("events");

function MyRoute() {
  events.EventEmitter.call(this);
}

util.inherits(MyRoute, events.EventEmitter);

MyRoute.prototype.index = function(req, res) {
  this.emit('index');
  res.send('hello world');
}

module.exports = new MyRoute();

然后在你的app.js文件中绑定快速路由和socket.io。

app.get('/send', routes.index);

routes.on('index', function() {
  io.sockets.emit('hello', 'world');
});

还有很多其他方法可以实现这一目标,但最好的方法取决于你想要做什么。正如我之前所提到的那样,向所有人呼叫广播比向特定用户广播要简单得多。