一个标准的 AMD 模块看起来是这样子:
define(['foo', 'foo/bar'], function (foo, bar) {
return {
doSomething: function () {
console.log(foo + bar);
}
};
});
模块 foo
和 foo/bar
在工厂函数被调用之前完成加载,并作为参数传递给工厂函数。
工作原理:
继而检查当前上下文是否已注册这些依赖模块:
否则:
paths.config
和当前模块路径,将模块 ID 解析为 URI。当所有依赖模块准备妥当,将依赖模块作为参数去调用工厂函数,工厂函数的返回值作为新模块被注册到当前上下文。
如果你想让别人像 CommonJS 模块那样使用你的模块,尤其是你的模块拥有大量依赖模块,你可以使用 Simplified CommonJS wrapper。
define (function (require, exports, module) {
var foo = require('foo'),
bar = require('foo/bar');
exports.doSomething = function () {
console.log(foo + bar);
};
});
一个模块被当做 CommonJS 模块,它必须不能包含依赖模块数组,并且工厂函数包含至少一个参数。
工作原理:
define
函数调用是否没有使用依赖模块数组。然后通过读取 Function.prototype.length
来检查工厂是否接受参数。
如果接受参数,则将该模块视为 CommonJS 模块:
Function.prototype.toString()
,并找到所有工厂函数中所有同步的 require()
调用来确定依赖模块。require
, exports
和 module
作为参数传递给工厂函数,然后将函数返回值或 module.exports
或 exports
注册为新模块。如果不接受参数,则将该模块视为标准 AMD 模块(没有依赖包),执行工厂函数并注册函数返回值为新模块。
对于一个标准的 AMD 模块,只要模块在当前上下文注册,你可以同步调用 require()
函数。
define (['require', 'lorem/ipsum'], function (require) {
// 因为模块 lorem/ipsum 在依赖数组中。
// 它会在工厂函数被调用前完成注册,因此本段代码是可行的。
console.log(require('lorem/ipsum'));
});
但以下代码会因为 dolor/amet
未注册而失败:
define(['require'], function (require) {
console.log(require('dolor/amet'));
});
因为我们在 define
函数中使用了依赖数组,因此新模块将被视为标准 AMD 模块,因此它不会扫描工厂函数代码以获取依赖数组。你将看到以下异常提示:
Uncaught Error: Module name 'dolor/amet' has not been loaded yet for context: _
如果使用 Simplified CommonJS Wrapper,那么 RequireJS 会在工厂函数调用前加载依赖包:
define (function (require) {
console.log(require('dolor/amet'));
});
标准 AMD 模块中同样可以使用特殊模块 require
, exports
和 module
。
define (['exports'], function (exports) {
exports.foo = 'bar';
exports.lorem = function (){
console.log('ipsum');
};
});
添加到 exports
上的属性会自动成为模块的公开接口,工厂函数无需返回值。
以下模块记录了模块 ID 和当前模块的路径。
define (['module'], function (module){
console.log(module.id);
console.log(module.uri);
});
require
模块除了可以加载依赖模块,还可以指出模块源文件路径。
require.toUrl(moduleName)
: 返回模块源文件路径。PS:本文译自 Differences between the Simplified CommonJS wrapper and standard AMD define