amodro-trace
AMD module tracing for build processes.
Like the requirejs optimizer, but just traces a module ID for its nested dependencies, and the result is a data structure for that trace, instead of a fully optimized build.
It uses requirejs underneath to do the tracing, so things like loader plugins work and it has a full understanding of AMD APIs. It can also normalize the module contents so multiple define calls can be concatenated in a file.
Use the requirejs optimizer if you want a more complete build tool. Use this if you want more control over the build processes, and just want something to do the AMD bits.
Use cases
Dependency tree for a module ID
Your build process uses a build dependency graph, like the one used by make. However, that tool does not understand module tracing. You can use this tool to figure out the graph for a given module ID. For fancier dependency graphing, node-madge may be a better fit.
amodro-trace starts with a single module ID, an AMD loader config, and traces the dependency tree that module ID. Example:
var amodroTrace = require('amodro-trace'),
path = require('path');
amodroTrace(
{
rootDir: path.join(__dirname, 'www'),
id: 'app'
},
{
baseUrl: 'lib',
paths: {
app: '../app'
}
}
).then(function(traceResult) {
traceResult = {
traced: [
{ "id": "b", "path": "/full/path/to/www/lib/b.js", "dependents": ["a"] },
{ "id": "a", "path": "/full/path/to/www/lib/a.js", "deps": ["b"], "dependents": ["app/main"] },
{ "id": "app/main", "path": "/full/path/to/www/app/main.js", "deps": ["a"], "dependents": ["app"] }
{ "id": "app", "path": "/full/path/to/www/app.js", "deps": ["app/main"] }
],
warnings: [],
errors: []
};
}).catch(function(error) {
console.error(error);
});
Content transforms after AMD normalization
You want a trace of the modules that may be used in a build layer, with the AMD calls normalized for file concatenation, but you want to do further work before combining them and generating the source map and minifying.
The call is similar to the simple dependency tree result, but ask amodro-trace to include the contents and provide a "write" transform that normalizes the AMD calls:
var amodroTrace = require('amodro-trace'),
allWriteTransforms = require('amodro-trace/write/all'),
path = require('path');
var writeTransform = allWriteTransforms({
});
amodroTrace(
{
rootDir: path.join(__dirname, 'www'),
id: 'app',
includeContents: true,
writeTransform: writeTransform
},
{
baseUrl: 'lib',
paths: {
app: '../app'
}
}
).then(function(traceResult) {
traceResult = {
traced: [
{
"id": "b",
"path": "/full/path/to/www/lib/b.js",
"contents": "define('b',{\n name: 'b'\n});\n",
"dependents": [
"a"
]
},
{
"id": "a",
"path": "/full/path/to/www/lib/a.js",
"contents": "define('a',['b'], function(b) { return { name: 'a', b: b }; });",
"deps": [
"b"
],
"dependents": [
"app/main"
]
},
{
"id": "app/main",
"path": "/full/path/to/www/app/main.js",
"contents": "define('app/main',['require','a'],{\n console.log(require('a');\n});\n",
"deps": [
"a"
],
"dependents": [
"app"
]
},
{
"id": "app",
"path": "/full/path/to/www/app.js",
"contents": "require.config({\n baseUrl: 'lib',\n paths: {\n app: '../app'\n }\n});\n\nrequire(['app/main']);\n\ndefine(\"app\", [],function(){});\n",
"deps": [
"app/main"
]
}
],
warnings: [],
errors: []
};
}).catch(function(error) {
console.error(error);
});
Non-file inputs
Your build tool may not deal with files directly, maybe it builds up a list of files in a stream-backed objects. Gulp for example.
The fileExists
and fileRead
function options allow you to do this:
var amodroTrace = require('amodro-trace'),
path = require('path');
var fileMap = {
main: 'require([\'a\'], function(a) {});',
a: 'define([\'b\'], function(b) { return { name: \'a\', b: b }; });',
b: 'define({\n name: 'b'\n});\n'
};
amodroTrace(
{
rootDir: path.join(__dirname, 'www'),
id: 'app',
fileExists: function(defaultExists, id, filePath) {
return fileMap.hasOwnProperty(id);
},
fileRead: function(defaultRead, id, filePath) {
return fileMap[id];
}
},
{
baseUrl: 'lib',
paths: {
app: '../app'
}
}
).then(function(traceResult) {
}).catch(function(error) {
console.error(error);
});
Transform files to AMD before tracing
If you are using a transpiled language, or want to author in CommonJS (CJS) format but output to AMD, you can provide a read transform that can modify the contents of files after they are read but before they are traced.
Here is an example that uses the cjs read transform provided in this project (it just wraps CJS modules in AMD wrappers, it does not change module ID resolution rules):
var amodroTrace = require('amodro-trace'),
cjsTransform = require('amodro-trace/read/cjs'),
path = require('path');
amodroTrace(
{
rootDir: path.join(__dirname, 'www'),
id: 'app',
readTransform: function(id, url, contents) {
return cjsTransform(url, contents);
}
},
{
baseUrl: 'lib',
paths: {
app: '../app'
}
}
).then(function(traceResult) {
}).catch(function(error) {
console.error(error);
});
Install
This project runs in node/iojs, and is installed via npm:
npm install amodro-trace
API
amodro-trace
amodro-trace(options, loaderConfig);
Returns a Promise. The resolved value will be a result object that looks like this:
{
"traced": [
{
"id": "b",
"path": "/full/path/to/www/lib/b.js",
"contents": "define('b',{\n name: 'b'\n});\n",
"dependents": [
"a"
]
},
{
"id": "a",
"path": "/full/path/to/www/lib/a.js",
"contents": "define('a',['b'], function(b) { return { name: 'a', b: b }; });",
"deps": [
"b"
],
"dependents": [
"app/main"
]
},
{
"id": "app/main",
"path": "/full/path/to/www/app/main.js",
"contents": "define('app/main',['require','a'],{\n console.log(require('a');\n});\n",
"deps": [
"a"
],
"dependents": [
"app"
]
},
{
"id": "app",
"path": "/full/path/to/www/app.js",
"contents": "require.config({\n baseUrl: 'lib',\n paths: {\n app: '../app'\n }\n});\n\nrequire(['app/main']);\n\ndefine(\"app\", [],function(){});\n",
"deps": [
"app/main"
]
}
],
"warnings": [],
"errors": []
}
The contents
property for an entry is only included if the includeContents or writeTransform options are used. If keepLoader option is used, the result object will include a loader
property.
The traced
results are order by least dependent to more dependent. So, modules with no dependencies come first.
Each module entry also includes the normalized IDs for the dependencies in the deps
property. If no dependencies, the deps
property is not there. For files that have multiple named define()
'd modules, their IDs with their dependencies will be listed with the otherIds
property. Only top level define()s in the file are found, nested ones inside a UMD wrapper should not be traced.
Example result where "view1" was a built file containing a few other modules:
{
"traced": [
{
"id": "view1",
"path": "/full/path/to/view1.js",
"deps": [
"header",
"content",
"footer"
],
"otherIds": {
"inlay": {},
"button": {},
"header": {
"deps": [
"button"
]
},
"content": {
"deps": [
"inlay",
"button"
]
},
"footer": {
"deps": [
"button"
]
}
}
},
{
"id": "main",
"path": "/full/path/to/main.js",
"deps": [
"view1"
]
}
],
"warnings": [],
"errors": []
}
Each module entry may also include a dependents
property, which is the set of module IDs that statically specify the module as a dependency. It is only the direct dependents, not the dependents of those dependents.
loaderConfig
is the AMD loader config that would be used by an AMD loader to load those modules at runtime. If you want to extract the loader config from an existing JS file, amodro-trace/config can help with that.
If parsing triggered warnings or errors, they will show in the warnings
or errors
arrays respectively, as an array of strings. These are treated as non-fatal, in that the file with the issue is skipped (may just be invalid JS not meant to be fully traced), but for best results it is best to investigate the messages that show up here. If there are no warnings or errors, those properties will not show up in the trace result.
options
The following options
rootDir
String. The full path to the root of the project to be scanned. This is usually the top level directory of the project that is served to the web, and the reference directory for relative baseUrls in an AMD loader config.
id
String. the module ID to trace.
traced
If there was a previous traceResult
that should be used as part of this new trace, then pass the traceResult.traced
as this traced
property. The items in the traced
array will be used instead of loading and parsing the file contents in the current trace()
call.
Notes:
- The
traced
array items should include the deps
property. Only the id
and deps
properties are used from the traced
array items.
findNestedDependencies
Boolean. Defaults to false. Normally require([])
calls inside a define()
'd module are not traced, as they are usually meant to be dynamically loaded dependencies and are not static module dependencies.
However, for some tracing cases it is useful to include these dynamic dependencies. Setting this option to true will do that. It only captures require([])
calls that use string literals for dependency IDs. It cannot trace dependency IDs that are variables for JS expressions.
fileRead
Function. A function that synchronously returns the file contents for the given file path. Allows overriding where file contents come from, for instance, building up an in-memory map of file names and contents from a stream.
Arguments passed to this function:
function(defaultReadFunction, moduleName, filePath) {}
Where defaultReadFunction is the default read function used. You can call it with the filePath to get the contents via the normal file methods this module uses to get file contents.
fileExists
Function. If fileRead is provided, this function should be provided too. Determines if a file exists for the mechanism that reads files. A synchronous Boolean answer is expected. Signature is:
function(defaultExistsFunction, moduleName, filePath) {}
Where defaultExistsFunction is the default exists function used by the internals of this module.
readTransform
Function. A function that is used to transform the contents of the modules after the contents are read but before they are parsed for module APIs. The function will receive these arguments:
function(moduleName, filePath, contents) {}
and should synchronously return a string that will be used as the contents. If the readTransform does not want to alter the contents then it should just return the contents
value passed in to it.
The readTransform function is run after the file has been read (or after fileRead has run), but before the text contents enter the loader for parsing and tracing. The result of the read transform is what is returned in the contents
property for traced items if includeContents is set to true
and no writeTransform is specified.
includeContents
Boolean. Set to true if the contents of the modules should be included in the output. The contents will be the contents after the readTransform function has run, if it is provided.
writeTransform
Function. When contents are added to the result, run this function to allow transforming the contents. See the write transforms section for example transforms. Setting this option automatically sets includeContents to be true. writeTransform
should be a function with this signature:
function(context, moduleName, filePath, contents) {}
Where context
is a loader context object created by the internal loader object used by amodro-trace. This object is mostly used by the write transforms included in this project, since they coordinate and deal with some of the results of the parsing, like what files needs AMD wrappers or normalization. It should be treated as an opaque object.
The function should synchronously return the value that should be used as the new value for contents
. If the writeTransform does not want to alter the contents then it should just return the contents
value passed in to it.
keepLoader
Boolean. Keep the loader instance and pass it in the return value. This is useful if transforms that depend on the instance's context will be used to transform the contents, and where writeTransform
is not the right fit. For most uses though, writeTransform
should be preferred over manually using the loader instance.
The traced result will include a loader
property with the loader instance. You should call loader.discard()
when you are done using it, to help clean up resources used by the loader.
If manually calling some transforms that would normally be called via writeTransform, you can use loader.getContext()
to get the context object passed to those transforms. Example:
var amodroTrace = require('amodro-trace');
var defineTransform = require('amodro-trace/write/defines')({});
amodroTrace({}, {}).then(function(traceResult) {
var traced = traceResult.traced,
loader = traceResult.loader,
context = loader.getContext();
traced.forEach(function(item) {
item.contents = defineTransform(context, item.id, item.path, item.contents);
});
loader.discard();
}).catch(function(error) {
console.error(error);
});
amodro-trace/config
This module helps extract or modify a require.config()/requirejs.config() config inside a JS file. The API methods on this module:
config.find
Finds the first requirejs/require call to require[js].config/require({}) in a file and returns the value as an object. Will not work with configs that use variable references outside of the config definition. In general, config calls that look more like JSON will work best.
var config = require('amodro-trace/config').find(contents);
Arguments to find
:
- contents: String. File contents that might contain a config call.
Returns an Object with the config. Could be undefined
if a config is not found.
config.modify
Modify the contents of a require.config/requirejs.config call and places the modifications bac in the contents. This call will LOSE any existing comments that are in the config string.
var config = require('amodro-trace/config')
.modify(contents, function onConfig(currentConfig) {
currentConfig.baseUrl = 'new/base';
return currentConfig;
});
Arguments to modify
:
- contents: String. File contents that may contain a config call.
- onConfig: Function. Function called when the first config call is found. It will be passed an Object which is the current config, and the onConfig function should return an Object to use as the new config that will be serialized into the contents, replacing the old config.
Returns a String the contents with the config changes applied.
Read transforms
See the readTransform option for background on read transforms. This section describes read transforms provided by this project.
cjs
To use:
var cjsTransform = require('amodro-trace/read/cjs');
If the transform detects CommonJS usage without an AMD or UMD wrapper that includes an AMD branch, then the text will be wrapped in a define(function(require, exports, module){}
wrapper.
Write transforms
See the writeTransform option for background on write transforms. This section describes the write transforms provided by this project. These transforms come from the write transforms that the requirejs optimizer would do to normalize scripts for concatenation.
They are listed in the order they are suggested to be applied. There is an amodro-trace/write/all
module that chains all of these together in the correct order. If you need an example on how to chain a few different transforms together to just provide one writeTransform to amodro-trace, look at the source of amodro-trace/write/all
.
All of these write transform modules export a function that can be called with an options object to generate the final function that should be passed to writeTransform
. This allows one time options setup that applies to all scripts that are transformed to just happen once. This pattern is suggested in general for write transforms.
stubs
The stubs
transform will replace a given set of module IDs with stub define()
calls instead of the original contents of the modules. This is useful for modules that are not needed in full after a build and just need to be registered as being satisfied dependencies.
var stubs = require('amodro-trace/write/stubs');
var stubsTransform = stubs({
stubModules: ['text', 'a/b']
});
require('amodro-trace')({
writeTransform: stubsTransform
});
defines
The defines
transform will normalize define
calls to include the module ID and parse out the dependencies so that Function.prototype.String is not needed at runtime to find dependencies. It will also add in some define
calls for shimmed dependencies.
This transform is the one that normally is always needed. The other transforms could be avoided depending on project needs.
The only specific option for this transform is wrapShim
. It provides wrapping of shim values similar to the requirejs optimizer option of the same name. Normally this should not be needed. Only set it to true for specific cases.
var defines = require('amodro-trace/write/defines');
var definesTransform = defines({
wrapShim: true
});
require('amodro-trace')({
writeTransform: definesTransform
});
packages
The packages
transform will write out an adapter define()
for a packages config main module value so that package config is not needed to map 'packageName' to 'packageName/mainModuleId'.
It does not have any transform-specific options.
var packages = require('amodro-trace/write/packages');
var packagesTransform = packages();
require('amodro-trace')({
writeTransform: packagesTransform
});
requirejs optimizer differences
The feature set and config options are smaller since it has a narrower focus. If you feel like you are missing a feature from the requirejs optimizer, it usually can be met by creating a write transform to do what you want. While this project comes with some transforms, it does not support all the transforms that the requirejs optimizer can do. For example, this project's write transforms do not understand how to make namespace builds.