问题来源

由于最近在用 nodejs 和 vue 编写前后端项目,里面涉及到模块化引用。

我发现他们一会儿用 export 、一会儿用export default 、一会用module.exports 及 一会用 exports

问题原因

CommonJS模块规范和ES6模块规范完全是两种不同的概念

CommonJS模块规范


Node应用由模块组成,采用CommonJS模块规范。

CommonJS规范规定,每个模块内部,module变量代表当前模块。这个变量是一个对象,它的exports属性(即module.exports)是对外的接口。加载某个模块,其实是加载该模块的module.exports属性。

var x = 5;
var addX = function (value) {
  return value + x;
};
module.exports.x = x;
module.exports.addX = addX;

上面代码通过module.exports输出变量x和函数addX。

require方法用于加载模块。

var example = require('./example.js');

console.log(example.x); // 5
console.log(example.addX(1)); // 6

exports 与 module.exports

优先使用 module.exports

为了方便,Node为每个模块提供一个exports变量,指向module.exports。这等同在每个模块头部,有一行这样的命令。

var exports = module.exports;

于是我们可以直接在 exports 对象上添加方法,表示对外输出的接口,如同在module.exports上添加一样。

注意,因为 Node 模块是通过 module.exports 导出的,如果直接将exports变量指向一个值,就切断了exports与module.exports的联系,导致意外发生:

// a.js
exports = function a() {};

// b.js
const a = require('./a.js') // a 是一个空对象
ES6模块规范

不同于CommonJS,ES6使用 export 和 import 来导出、导入模块。

// profile.js
var firstName = 'Michael';
var lastName = 'Jackson';
var year = 1958;

export {firstName, lastName, year}; //export 可以到处一个对象 有多个属性 必须得有名字

需要特别注意的是,export命令规定的是对外的接口,必须与模块内部的变量建立一一对应关系。

// 写法一
export var m = 1;

// 写法二
var m = 1;
export {m};

// 写法三
var n = 1;
export {n as m};

export default 命令

使用export default命令,为模块指定默认输出。

// export-default.js
export default function () {  // export default 只能导出一个 所以没有名字 因为一个也不存在什么歧义
  console.log('foo');
}
代码示例(ES6规范)

module.html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
</body>
<script type="module"> //type="module" 表明我们以 module 方式导入js文件,不是src方式
    import {m as n} from './test.js'
    console.log(n)
</script>
</html>

test.js

import test2 from "./test2.js"
var m = test2.name
export {
    m
}

 test2.js

var test2 = "我是test2"

export default {
    name: test2
}

效果展示

module.exports与exports,export与export default之间的关系和区别_vue.js

相关链接:
CommonJS规范,http://javascript.ruanyifeng.com/nodejs/module.html
ES6 Module 的语法,http://es6.ruanyifeng.com/#docs/module