我正在使用带有 Socket.IO 和 Express 的 Node.JS。我的目标是创建一个模块来创建自定义 Socket.IO+Express 服务器,加载我的应用程序需要的所有功能。例如,跟踪在任何给定时间连接的客户端数量。
问题是,如果可能的话,我想让服务器作为一个类工作。我已经看到其他 Node.JS 模块很好地使用类(包括 Socket.IO 本身),所以我认为它不应该与 Node 的面向模块的架构冲突。我需要它来处理类的原因是我希望能够轻松地创建服务器的多个实例。
这是我所拥有的(为简洁起见):
index.js
var myserver = require("./myserver");
var myserver1 = myserver.createServer();
var myserver2 = myserver.createServer();
myserver1.port = 8080;
myserver2.port = 8081;
myserver1.start();
myserver2.start();
我的服务器.js
var io = require("socket.io");
var express = require("express");
var path = require("path");
function MyServer()
{
this.port = 8080;
this.expressServer = null;
this.ioServer = null;
this.clientCount = 0;
}
Server.prototype.getClientCount = function()
{
return this.clientCount;
}
Server.prototype.start = function()
{
this.expressServer = express.createServer();
this.ioServer = io.listen(this.expressServer);
this.expressServer.listen(this.port);
this.ioServer.sockets.on(
"connection",
function()
{
this.clientCount++;
console.log(this.clientCount + " clients connected.");
}
);
}
exports.createServer = function() { return new MyServer(); };
回调里面的代码"connection"
是不正确的,因为this
Socket.IO的回调中的关键字是指触发事件的客户端"connection"
对象,而不是MyServer
对象。那么有没有办法clientCount
从回调内部访问属性?