在不同的文件中划分节点应用程序

时间:2012-11-11 18:23:17

标签: node.js socket.io

我正在使用Socket.IO开发我的第一个Node.js应用程序,一切都很好,但现在应用程序正在慢慢变大,我想将应用程序代码分成不同的文件以便更好地维护。

例如,我正在定义所有的mongoose模式和主文件中的路由。下面是socket.IO连接的所有功能。但现在我想为模式提供额外的文件,一个用于路由的额外文件和一个用于函数的文件。

当然,我知道可以编写自己的模块或加载带有require的文件。这对我来说没有意义,因为我无法使用像app,io或db这样的vars,而不会让它们全局化。如果我将它们传递给我的模块中的函数,我就无法更改它们。我错过了什么?我想看一个如何在不使用全局变量的情况下在实践中完成的示例。

1 个答案:

答案 0 :(得分:14)

听起来你有一个highly coupled应用程序;你很难将代码拆分成模块,因为应用程序的各个部分不应相互依赖。调查the principles of OO design可能会有所帮助。

例如,如果您要将数据库逻辑从主应用程序中分离出来,那么您应该能够这样做,因为数据库逻辑不应该依赖于appio - 它应该能够独立工作,并require将其用于应用程序的其他部分以使用它。

这是一个相当基本的例子 - 它比实际代码更伪代码,因为重点是通过示例演示模块化,而不是编写工作应用程序。它也是您决定构建应用程序的众多方法中的一种。

// =============================
// db.js

var mongoose = require('mongoose');
mongoose.connect(/* ... */);

module.exports = {
  User: require('./models/user');
  OtherModel: require('./models/other_model');
};


// =============================
// models/user.js (similar for models/other_model.js)

var mongoose = require('mongoose');
var User = new mongoose.Schema({ /* ... */ });
module.exports = mongoose.model('User', User);


// =============================
// routes.js

var db = require('./db');
var User = db.User;
var OtherModel = db.OtherModel;

// This module exports a function, which we call call with
// our Express application and Socket.IO server as arguments
// so that we can access them if we need them.
module.exports = function(app, io) {
  app.get('/', function(req, res) {
    // home page logic ...
  });

  app.post('/users/:id', function(req, res) {
    User.create(/* ... */);
  });
};


// =============================
// realtime.js

var db = require('./db');
var OtherModel = db.OtherModel;

module.exports = function(io) {
  io.sockets.on('connection', function(socket) {
    socket.on('someEvent', function() {
      OtherModel.find(/* ... */);
    });
  });
};


// =============================
// application.js

var express = require('express');
var sio = require('socket.io');
var routes = require('./routes');
var realtime = require('./realtime');

var app = express();
var server = http.createServer(app);
var io = sio.listen(server);

// all your app.use() and app.configure() here...

// Load in the routes by calling the function we
// exported in routes.js
routes(app, io);
// Similarly with our realtime module.
realtime(io);

server.listen(8080);

这一切都是我最初的问题,只需要对各种API的文档进行最少的检查,但我希望它能为您提供从应用程序中提取模块的方法。