Node.js模块系统

2018-04-25  本文已影响5人  ElfACCC

创建模块

在 Node.js 中,创建一个模块非常简单,如下我们创建一个 main.js 文件,代码如下:

var hello = require('./hello');

hello.world();

以上实例中,代码 require('./hello') 引入了当前目录下的 hello.js 文件(./ 为当前目录,node.js 默认后缀为 js)。

Node.js 提供了 exports 和 require 两个对象,其中 exports 是模块公开的接口,require 用于从外部获取一个模块的接口,即所获取模块的 exports 对象。

接下来我们就来创建 hello.js 文件,代码如下:

exports.world = function() {

  console.log('Hello World');

}

在以上示例中,hello.js 通过 exports 对象把 world 作为模块的访问接口,在 main.js 中通过 require('./hello') 加载这个模块,然后就可以直接访 问 hello.js 中 exports 对象的成员函数了。

有时候我们只是想把一个对象封装到模块中,格式如下:

module.exports = function() {

  // ...

}

例如:

//hello.js

function Hello() {

    var name;

    this.setName = function(thyName) {

        name = thyName;

    };

    this.sayHello = function() {

        console.log('Hello ' + name);

    };

};

module.exports = Hello;

这样就可以直接获得这个对象了:

//main.js

var Hello = require('./hello');

hello = new Hello();

hello.setName('BYVoid');

hello.sayHello();

模块接口的唯一变化是使用 module.exports = Hello 代替了exports.world = function(){}。

 在外部引用该模块时,其接口对象就是要输出的 Hello 对象本身,而不是原先的 exports。

上一篇下一篇

猜你喜欢

热点阅读