View on GitHub

blog

博客;温故而知新

在开发中基本不会将所有的业务逻辑代码放在一个JS文件中,特别是在使用前端框架,进行组件化开发中时,会复用相应的组件。这时,就会用到模块导入/导出的方法了。

当然,上面提到有模块的概念,也是在JS用于服务器端编程的时候才会出现,我们在使用前端框架时,使用npm run dev,不就是启动了一个node服务。 对于JavaScript模块化编程的起源可以追溯到2009年,Ryan Dahl在github上发布了node 的最初版本。

本文主要介绍几种模块导入/导出的方法。

node 中模块导出/导入

为什么可以直接引入这些npm模块呢?一般在每个模块的源文件里面,都会找到modules.exports方法。用来导出变量。比如下面我们在使用gulp打包压缩时,经常使用到的gulp-rename这个插件通过npm安装后,在node_modules中的gulp-rename/index.js

'use strict';

var Stream = require('stream');
var Path = require('path');

function gulpRename(obj) {

var stream = new Stream.Transform({objectMode: true});
   ...  

return stream;
}

module.exports = gulpRename;

** 看到的基本思路就是,定义了gulpRename 方法,然后把它抛出去。**

** node中的module都遵循CommonJS规范。在CommonJS中有一个全局的require()方法,用于加载模块;module.exportexport 方法,导出模块。 **

这里比较重要的一点是: 我们在写模块时用到的exports对象实际上只是对module.exports的引用,所有在一些js库的源码中,经常可以看到这样的写法: exports = module.exports = somethings

  // export.js 文件中

 var export1 = "from export1"
 var export2 = function(){
    return "from export2";
 }
 exports.export2 = export2;


  // modules.js 文件中
  var module1 = "from module1";
  var module2 = function(e){
    return "from funModule2";
  }

  module.exports.str1 = module1;
  module.exports.fun2 = module2;

最后在common.js文件中引入exports.js文件和 modules.js 文件,

 var md1 = require("./module.js")
 console.log(md1);


 var export3 = require("./export");
 console.log(export3);

最后在gitbash中,使用node 执行相应的commons.js文件; node 在使用exports方法是,不能直接exprots = {},这样改变了exports方法的引用, 相应就无法实现导出模块的功能了。

es6导出方法

es6中也同样提出了比较好用的模块导出的方法,包括两种。

然后,我们尝试使用最经新出的 打包工具parcel(node版本在8.0以下安装会报错)小试牛刀, 具体已经安装完成了,在命令行中输入 parcel index.html,就会在1234 端口启动服务,主要为了能够在http://localhost:1234/中看到console。 import

如果只在一个文件中提供了一个导出的口,就可以使用默认导出

  //export4.js   

  const str2 ="hello world";
  export default str2 ;

  // import2.js
  import anyName  from "./export4.js"
  console.log(anyName);

在index.html 中 可以看到输入 hello world

同样是模块导入导出方法,使用es6的模块方法,要比node中 的(也就是CommonJS模块)方法更加的差异非常大。 主要有如下两点差别:

具体解释,可以移步到ES6模块与CommonJS模块的差异

本文只是列出一些用法与代码示例,来比较不同的模块方法,列出一些更加深入讲解的文章,方便后面自己仔细研究。