標籤:相互 方法 優先順序 on() require 檔案名稱 mod 而且 對象
Node.js模組系統
為了讓Node.js的檔案可以相互調用,Node.js提供了一個簡單的模組系統。
模組是Node.js 應用程式的基本組成部分,檔案和模組是一一對應的。換言之,一個 Node.js 檔案就是一個模組,這個檔案可能是JavaScript 代碼、JSON 或者編譯過的C/C++ 擴充。
建立模組
在 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 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。
Node.js 中內建了一個叫做 http 的模組,我們在我們的代碼中請求它並把傳回值賦給一個本地變數。
從檔案模組緩衝中載入
儘管原生模組與檔案模組的優先順序不同,但是都會優先從檔案模組的緩衝中載入已經存在的模組。
從原生模組載入
原生模組的優先順序僅次於檔案模組緩衝的優先順序。require 方法在解析檔案名稱之後,優先檢查模組是否在原生模組列表中。以http模組為例,儘管在目錄下存在一個 http/http.js/http.node/http.json 檔案,require("http") 都不會從這些檔案中載入,而是從原生模組中載入。
原生模組也有一個緩衝區,同樣也是優先從緩衝區載入。如果緩衝區沒有被載入過,則調用原生模組的載入方式進行載入和執行。
從檔案載入
當檔案模組緩衝中不存在,而且不是原生模組的時候,Node.js 會解析 require 方法傳入的參數,並從檔案系統中載入實際的檔案。
摘自:http://www.runoob.com/nodejs/nodejs-module-system.html
Node.js模組系統