Node中Exports與module.export的使用與區別

Claire_ljy發表於2020-04-04

最近在看《node開發實戰詳解》時有寫疑問,所以自己就整理了一些資料。下面是node4.*的官方api文件(http://nodejs.cn/doc/node_4/modules.html#modules_module_exports),我有點看不懂,就拉出node.10*的官方api(https://nodejs.org/dist/v0.10.9/docs/api/modules.html#modules_module_exports)。

 

module.exports與exports的介紹

module.exports與exports都是將函式或者是方法暴露出去,require的時候進行呼叫,但是2者是有區別的。以下是程式碼:

 

//ex.js

exports='danhuangmode';


//mex.js

  module.exports='danhuangmode';

//call_ex_mex.js

  var ex=require('./ex');
  var mex=require('./mex');

  console.log(ex);
  console.log('\n');
  console.log(mex);

執行結果:

 

引用exports提供方法,輸出是為一個物件,引用module.exports提供方法,輸出為字串。

 

exports內部提供介面,在外部引用時之間的關係如何?

exports內部處理暴露方法,是如何處理的,看如下程式碼:

var string='this is in exports.js';

 function ex_fn () {
     console.log('this in funtion ex_fn');
}

var exobj={
    str1:"str1 exobj",
    exobjfn: function  () {
        console.log("in function");
    }
};

exports.string=string;
exports.ex_fn=ex_fn;
exports.exobj=exobj;
exports=exobj;

呼叫程式碼:

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


console.log(ex.string);
console.log(ex.ex_fn);
console.log(ex.exobj);
console.log(ex);

結果顯示:

 

exports提供的所有介面,直接呼叫匯出例項化的介面物件,會顯示介面物件中所有提供的型別、函式、物件以及物件中的方法和物件。

module.exports對外提供介面如何處理?


//mex.js

var ex_fn=
function () { console.log('this in funtion ex_fn'); } module.exports=ex_fn;

呼叫程式碼mex.js:

//引用mex.js

var ex=require('./mex');
ex();
console.log(ex);

 

執行結果為:

 

 直接將函式作為返回。

再看下面一個例子:

var person={
    name :"person's name",
    age :20,
    getAge: function  () {
        return this.age;
    }
}

module.exports = person;

呼叫的程式碼:

var person=require('./modulex');

console.log(person.name);
console.log(person.age);
console.log(person.getAge());
console.log(person);

顯示的結果為:

返回為一個json物件,可以直接呼叫內部的函式、屬性。

module.exports 與exports是什麼關係?

 

module.exports = 'personname';

exports.name=function  () {
    console.log('this is person name');
}

呼叫 的指令碼:

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

console.log(person);
console.log(person.name);

執行結果:

personname
undefined

 

結果:

其實真正的介面是module.exports,exports是一個輔助工具。最終返回到是module.exports,而不是exports。

當module.exports沒有任何屬性和方法,exports將收集的所有資訊都傳遞給module.exports,如果module.exports已經具有了屬性和方法,exports所蒐集的資訊將會被忽略。

轉載於:https://www.cnblogs.com/macoco/p/5398864.html

相關文章