标签:完成 依赖 actor def IV 模块 syn console 模块加载
一、前端模块化
关于前端模块化,参考以下链接 :http://www.cnblogs.com/huiguo/category/1125329.html
二、SeaJS
SeaJS:SeaJS 是一个适用于 Web 浏览器端的模块加载器,主要为了实现JS文件的异步加载以及管理模块之间的依赖性。在 SeaJS 的世界里,一个文件就是一个模块。所有模块都遵循 CMD 规范。
三、CMD规范
参考https://github.com/seajs/seajs/issues/242 链接,简单了解一下CMD规范:CMD规范明确了模块的基本书写格式和基本交互规则。在 CMD 规范中,一个模块就是一个文件。代码的书写格式如下:
define(factory);
全局函数 define(factory)用来定义模块。define接受factory 参数,factory 可以是一个函数,也可以是一个对象或字符串。
 1. factory 为对象、字符串时,表示模块的接口就是该对象、字符串:
1 define({ "foo": "bar" });// 2 define(‘I am a template. My name is {{name}}.‘);
2  factory 为函数时,表示是模块的构造方法。执行该构造方法,可以得到模块向外提供的接口。factory 方法在执行时,默认会传入三个参数:require、exports 和 module:
define(function(require, exports, module) { // 模块代码 });
2.1 require参数
2.1.1 require require(id)  方法作为factory 函数的第一个参数,接受 模块标识 作为唯一参数,用来获取其他模块提供的接口。
define(function(require, exports) { // 获取模块 a 的接口 var a = require(‘./a‘); // 调用模块 a 的方法 a.doSomething(); });
2.1.2 require.async(id, callback?)方法用来在模块内部异步加载模块,并在加载完成后执行指定回调。callback参数可选。
define(function(require, exports, module) { // 异步加载一个模块,在加载完成时,执行回调 require.async(‘./b‘, function(b) { b.doSomething(); }); // 异步加载多个模块,在加载完成时,执行回调 require.async([‘./c‘, ‘./d‘], function(c, d) { c.doSomething(); d.doSomething(); }); });
require是同步往下执行,require.async则是异步回调执行。require.async一般用来加载可延迟异步加载的模块。2.1.3 require.resolve(id) 方法使用模块系统内部的路径解析机制来解析并返回模块路径。该函数不会加载模块,只返回解析后的绝对路径。一般用在插件环境或需动态拼接模块路径的场景下
define(function(require, exports) { console.log(require.resolve(‘./b‘)); // ==> http://example.com/path/to/b.js });
2.2 exports参数:2.2.1 exports是一个对象,用来向外提供模块接口。
define(function(require, exports) { // 对外提供 foo 属性 exports.foo = ‘bar‘; // 对外提供 doSomething 方法 exports.doSomething = function() {}; });
   2.2.2 除了给 exports 对象增加成员,还可以使用 return 直接向外提供接口。
define(function(require) { // 通过 return 直接提供接口 return { foo: ‘bar‘, doSomething: function() {} }; });
2.3 module 是一个对象,上面存储了与当前模块相关联的一些属性和方法。
2.3.1  module.id   String  模块的唯一标识。
define(‘id‘, [], function(require, exports, module) { // 模块代码
//define的第一个参数就是模块标识 });
2.3.2  module.uri  String    据模块系统的路径解析规则得到的模块绝对路径。
define(function(require, exports, module) { console.log(module.uri); // ==> http://example.com/path/to/this/file.js });
一般情况下(没有在 define 中手写 id 参数时),module.id 的值就是 module.uri,两者完全相同。
2.3.3  module.dependencies  Arraydependencies 是一个数组,表示当前模块的依赖。
2.3.4 module.exports  Object :当前模块对外提供的接口。
传给 factory 构造方法的 exports 参数是 module.exports 对象的一个引用。只通过 exports 参数来提供接口,有时无法满足开发者的所有需求。 比如当模块的接口是某个类的实例时,需要通过 module.exports来实现:
define(function(require, exports, module) { // exports 是 module.exports 的一个引用 console.log(module.exports === exports); // true // 重新给 module.exports 赋值 module.exports = new SomeClass(); // exports 不再等于 module.exports console.log(module.exports === exports); // false });
标签:完成 依赖 actor def IV 模块 syn console 模块加载
原文地址:https://www.cnblogs.com/enjoyjava/p/9217326.html