Can I load multiple files with one require statement?

First of all using require does not duplicate anything. It loads the module and it caches it, so calling require again will get it from memory (thus you can modify module at fly without interacting with its source code - this is sometimes desirable, for example when you want to store db connection inside module).

Also package.json does not load anything and does not interact with your app at all. It is only used for npm.

Now you cannot require multiple modules at once. For example what will happen if both One.js and Two.js have defined function with the same name?? There are more problems.

But what you can do, is to write additional file, say modules.js with the following content

module.exports = {
   one : require('./one.js'),
   two : require('./two.js'),
   /* some other modules you want */
}

and then you can simply use

var modules = require('./modules.js');
modules.one.foo();
modules.two.bar();

I have a snippet of code that requires more than one module, but it doesn't clump them together as your post suggests. However, that can be overcome with a trick that I found.

function requireMany () {
    return Array.prototype.slice.call(arguments).map(function (value) {
        try {
            return require(value)
        }
        catch (event) {
            return console.log(event)
        }
    })
}

And you use it as such

requireMany("fs", "socket.io", "path")

Which will return

[ fs {}, socketio {}, path {} ]

If a module is not found, an error will be sent to the console. It won't break the programme. The error will be shown in the array as undefined. The array will not be shorter because one of the modules failed to load.

Then you can bind those each of those array elements to a variable name, like so:

var [fs, socketio, path] = requireMany("fs", "socket.io", "path")

It essentially works like an object, but assigns the keys and their values to the global namespace. So, in your case, you could do:

var [foo, bar] = requireMany("./foo.js", "./bar.js")
foo() //return "hello from one"
bar() //return "hello from two"

And if you do want it to break the programme on error, just use this modified version, which is smaller

function requireMany () {
    return Array.prototype.slice.call(arguments).map(require)
}

Tags:

Node.Js