Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Node JS - Passing Javascript object by reference to other files

I have defined an http server by requiring as follows:

var http = require('http');

function onRequest(request, response) {
    console.log("Request" + request);
    console.log("Reponse" + response);
}

http.createServer(onRequest).listen(8080);

I would like to pass the http object to a JS class (in a separate file) where I load external modules that are specific to my application.

Any suggestions on how would I do this?

Thanks, Mark

like image 827
Mark Nguyen Avatar asked Nov 30 '22 03:11

Mark Nguyen


2 Answers

You don't need to pass the http object, because you can require it again in other modules. Node.js will return the same object from cache.

If you need to pass object instance to module, one somewhat dangerous option is to define it as global (without var keyword). It will be visible in other modules.

Safer alternative is to define module like this

// somelib.js
module.exports = function( arg ) { 
   return {
      myfunc: function() { console.log(arg); }
   }
};

And import it like this

var arg = 'Hello'
var somelib = require('./somelib')( arg );
somelib.myfunc() // outputs 'Hello'.
like image 186
Teemu Ikonen Avatar answered Dec 06 '22 11:12

Teemu Ikonen


Yes, take a look at how to make modules: http://nodejs.org/docs/v0.4.12/api/modules.html

Every module has a special object called exports that will be exported when other modules include it.

For example, suppose your example code is called app.js, you add the line exports.http = http and in another javascript file in the same folder, include it with var app = require("./app.js"), and you can have access to http with app.http.

like image 20
Nican Avatar answered Dec 06 '22 11:12

Nican