install.js 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556
  1. makeInstaller = function (options) {
  2. "use strict";
  3. options = options || {};
  4. // These file extensions will be appended to required module identifiers
  5. // if they do not exactly match an installed module.
  6. var defaultExtensions = options.extensions || [".js", ".json"];
  7. // If defined, the options.fallback function will be called when no
  8. // installed module is found for a required module identifier. Often
  9. // options.fallback will be implemented in terms of the native Node
  10. // require function, which has the ability to load binary modules.
  11. var fallback = options.fallback;
  12. // List of fields to look for in package.json files to determine the
  13. // main entry module of the package. The first field listed here whose
  14. // value is a string will be used to resolve the entry module.
  15. var mainFields = options.mainFields ||
  16. // If options.mainFields is absent and options.browser is truthy,
  17. // package resolution will prefer the "browser" field of package.json
  18. // files to the "main" field. Note that this only supports
  19. // string-valued "browser" fields for now, though in the future it
  20. // might make sense to support the object version, a la browserify.
  21. (options.browser ? ["browser", "main"] : ["main"]);
  22. var hasOwn = {}.hasOwnProperty;
  23. function strictHasOwn(obj, key) {
  24. return isObject(obj) && isString(key) && hasOwn.call(obj, key);
  25. }
  26. // Cache for looking up File objects given absolute module identifiers.
  27. // Invariants:
  28. // filesByModuleId[module.id] === fileAppendId(root, module.id)
  29. // filesByModuleId[module.id].module === module
  30. var filesByModuleId = {};
  31. // The file object representing the root directory of the installed
  32. // module tree.
  33. var root = new File("/", new File("/.."));
  34. var rootRequire = makeRequire(root);
  35. // Merges the given tree of directories and module factory functions
  36. // into the tree of installed modules and returns a require function
  37. // that behaves as if called from a module in the root directory.
  38. function install(tree, options) {
  39. if (isObject(tree)) {
  40. fileMergeContents(root, tree, options);
  41. }
  42. return rootRequire;
  43. }
  44. // Replace this function to enable Module.prototype.prefetch.
  45. install.fetch = function (ids) {
  46. throw new Error("fetch not implemented");
  47. };
  48. // This constructor will be used to instantiate the module objects
  49. // passed to module factory functions (i.e. the third argument after
  50. // require and exports), and is exposed as install.Module in case the
  51. // caller of makeInstaller wishes to modify Module.prototype.
  52. function Module(id) {
  53. this.id = id;
  54. // The Node implementation of module.children unfortunately includes
  55. // only those child modules that were imported for the first time by
  56. // this parent module (i.e., child.parent === this).
  57. this.children = [];
  58. // This object is an install.js extension that includes all child
  59. // modules imported by this module, even if this module is not the
  60. // first to import them.
  61. this.childrenById = {};
  62. }
  63. // Used to keep module.prefetch promise resolutions well-ordered.
  64. var lastPrefetchPromise;
  65. // May be shared by multiple sequential calls to module.prefetch.
  66. // Initialized to {} only when necessary.
  67. var missing;
  68. Module.prototype.prefetch = function (id) {
  69. var module = this;
  70. var parentFile = getOwn(filesByModuleId, module.id);
  71. lastPrefetchPromise = lastPrefetchPromise || Promise.resolve();
  72. var previousPromise = lastPrefetchPromise;
  73. function walk(module) {
  74. var file = getOwn(filesByModuleId, module.id);
  75. if (fileIsDynamic(file) && ! file.pending) {
  76. file.pending = true;
  77. missing = missing || {};
  78. // These are the data that will be exposed to the install.fetch
  79. // callback, so it's worth documenting each item with a comment.
  80. missing[module.id] = {
  81. // The CommonJS module object that will be exposed to this
  82. // dynamic module when it is evaluated. Note that install.fetch
  83. // could decide to populate module.exports directly, instead of
  84. // fetching anything. In that case, install.fetch should omit
  85. // this module from the tree that it produces.
  86. module: file.module,
  87. // List of module identifier strings imported by this module.
  88. // Note that the missing object already contains all available
  89. // dependencies (including transitive dependencies), so
  90. // install.fetch should not need to traverse these dependencies
  91. // in most cases; however, they may be useful for other reasons.
  92. // Though the strings are unique, note that two different
  93. // strings could resolve to the same module.
  94. deps: Object.keys(file.deps),
  95. // The options (if any) that were passed as the second argument
  96. // to the install(tree, options) function when this stub was
  97. // first registered. Typically contains options.extensions, but
  98. // could contain any information appropriate for the entire tree
  99. // as originally installed. These options will be automatically
  100. // inherited by the newly fetched modules, so install.fetch
  101. // should not need to modify them.
  102. options: file.options,
  103. // Any stub data included in the array notation from the
  104. // original entry for this dynamic module. Typically contains
  105. // "main" and/or "browser" fields for package.json files, and is
  106. // otherwise undefined.
  107. stub: file.stub
  108. };
  109. each(file.deps, function (parentId, id) {
  110. fileResolve(file, id);
  111. });
  112. each(module.childrenById, walk);
  113. }
  114. }
  115. return lastPrefetchPromise = new Promise(function (resolve) {
  116. var absChildId = module.resolve(id);
  117. each(module.childrenById, walk);
  118. resolve(absChildId);
  119. }).then(function (absChildId) {
  120. // Grab the current missing object and fetch its contents.
  121. var toBeFetched = missing;
  122. missing = null;
  123. function clearPending() {
  124. if (toBeFetched) {
  125. Object.keys(toBeFetched).forEach(function (id) {
  126. getOwn(filesByModuleId, id).pending = false;
  127. });
  128. }
  129. }
  130. return new Promise(function (resolve) {
  131. // The install.fetch function takes an object mapping missing
  132. // dynamic module identifiers to options objects, and should
  133. // return a Promise that resolves to a module tree that can be
  134. // installed. As an optimization, if there were no missing dynamic
  135. // modules, then we can skip calling install.fetch entirely.
  136. resolve(toBeFetched && install.fetch(toBeFetched));
  137. }).then(function (tree) {
  138. function both() {
  139. install(tree);
  140. clearPending();
  141. return absChildId;
  142. }
  143. // Although we want multiple install.fetch calls to run in
  144. // parallel, it is important that the promises returned by
  145. // module.prefetch are resolved in the same order as the original
  146. // calls to module.prefetch, because previous fetches may include
  147. // modules assumed to exist by more recent module.prefetch calls.
  148. // Whether previousPromise was resolved or rejected, carry on with
  149. // the installation regardless.
  150. return previousPromise.then(both, both);
  151. }, function (error) {
  152. // Fixes https://github.com/meteor/meteor/issues/10182.
  153. clearPending();
  154. throw error;
  155. });
  156. });
  157. };
  158. install.Module = Module;
  159. function getOwn(obj, key) {
  160. return strictHasOwn(obj, key) && obj[key];
  161. }
  162. function isObject(value) {
  163. return value !== null && typeof value === "object";
  164. }
  165. function isFunction(value) {
  166. return typeof value === "function";
  167. }
  168. function isString(value) {
  169. return typeof value === "string";
  170. }
  171. function makeMissingError(id) {
  172. return new Error("Cannot find module '" + id + "'");
  173. }
  174. Module.prototype.resolve = function (id) {
  175. var file = fileResolve(filesByModuleId[this.id], id);
  176. if (file) return file.module.id;
  177. var error = makeMissingError(id);
  178. if (fallback && isFunction(fallback.resolve)) {
  179. return fallback.resolve(id, this.id, error);
  180. }
  181. throw error;
  182. };
  183. Module.prototype.require = function require(id) {
  184. var result = fileResolve(filesByModuleId[this.id], id);
  185. if (result) {
  186. return fileEvaluate(result, this);
  187. }
  188. var error = makeMissingError(id);
  189. if (isFunction(fallback)) {
  190. return fallback(
  191. id, // The missing module identifier.
  192. this.id, // ID of the parent module.
  193. error // The error we would have thrown.
  194. );
  195. }
  196. throw error;
  197. };
  198. function makeRequire(file) {
  199. var module = file.module;
  200. function require(id) {
  201. return module.require(id);
  202. }
  203. require.extensions = fileGetExtensions(file).slice(0);
  204. require.resolve = function resolve(id) {
  205. return module.resolve(id);
  206. };
  207. return require;
  208. }
  209. // File objects represent either directories or modules that have been
  210. // installed. When a `File` respresents a directory, its `.contents`
  211. // property is an object containing the names of the files (or
  212. // directories) that it contains. When a `File` represents a module, its
  213. // `.contents` property is a function that can be invoked with the
  214. // appropriate `(require, exports, module)` arguments to evaluate the
  215. // module. If the `.contents` property is a string, that string will be
  216. // resolved as a module identifier, and the exports of the resulting
  217. // module will provide the exports of the original file. The `.parent`
  218. // property of a File is either a directory `File` or `null`. Note that
  219. // a child may claim another `File` as its parent even if the parent
  220. // does not have an entry for that child in its `.contents` object.
  221. // This is important for implementing anonymous files, and preventing
  222. // child modules from using `../relative/identifier` syntax to examine
  223. // unrelated modules.
  224. function File(moduleId, parent) {
  225. var file = this;
  226. // Link to the parent file.
  227. file.parent = parent = parent || null;
  228. // The module object for this File, which will eventually boast an
  229. // .exports property when/if the file is evaluated.
  230. file.module = new Module(moduleId);
  231. filesByModuleId[moduleId] = file;
  232. // The .contents of the file can be either (1) an object, if the file
  233. // represents a directory containing other files; (2) a factory
  234. // function, if the file represents a module that can be imported; (3)
  235. // a string, if the file is an alias for another file; or (4) null, if
  236. // the file's contents are not (yet) available.
  237. file.contents = null;
  238. // Set of module identifiers imported by this module. Note that this
  239. // set is not necessarily complete, so don't rely on it unless you
  240. // know what you're doing.
  241. file.deps = {};
  242. }
  243. function fileEvaluate(file, parentModule) {
  244. var module = file.module;
  245. if (! strictHasOwn(module, "exports")) {
  246. var contents = file.contents;
  247. if (! contents) {
  248. // If this file was installed with array notation, and the array
  249. // contained one or more objects but no functions, then the combined
  250. // properties of the objects are treated as a temporary stub for
  251. // file.module.exports. This is particularly important for partial
  252. // package.json modules, so that the resolution logic can know the
  253. // value of the "main" and/or "browser" fields, at least, even if
  254. // the rest of the package.json file is not (yet) available.
  255. if (file.stub) {
  256. return file.stub;
  257. }
  258. throw makeMissingError(module.id);
  259. }
  260. if (parentModule) {
  261. module.parent = parentModule;
  262. var children = parentModule.children;
  263. if (Array.isArray(children)) {
  264. children.push(module);
  265. }
  266. }
  267. contents(
  268. makeRequire(file),
  269. // If the file had a .stub, reuse the same object for exports.
  270. module.exports = file.stub || {},
  271. module,
  272. file.module.id,
  273. file.parent.module.id
  274. );
  275. module.loaded = true;
  276. }
  277. // The module.runModuleSetters method will be deprecated in favor of
  278. // just module.runSetters: https://github.com/benjamn/reify/pull/160
  279. var runSetters = module.runSetters || module.runModuleSetters;
  280. if (isFunction(runSetters)) {
  281. runSetters.call(module);
  282. }
  283. return module.exports;
  284. }
  285. function fileIsDirectory(file) {
  286. return file && isObject(file.contents);
  287. }
  288. function fileIsDynamic(file) {
  289. return file && file.contents === null;
  290. }
  291. function fileMergeContents(file, contents, options) {
  292. if (Array.isArray(contents)) {
  293. contents.forEach(function (item) {
  294. if (isString(item)) {
  295. file.deps[item] = file.module.id;
  296. } else if (isFunction(item)) {
  297. contents = item;
  298. } else if (isObject(item)) {
  299. file.stub = file.stub || {};
  300. each(item, function (value, key) {
  301. file.stub[key] = value;
  302. });
  303. }
  304. });
  305. if (! isFunction(contents)) {
  306. // If the array did not contain a function, merge nothing.
  307. contents = null;
  308. }
  309. } else if (! isFunction(contents) &&
  310. ! isString(contents) &&
  311. ! isObject(contents)) {
  312. // If contents is neither an array nor a function nor a string nor
  313. // an object, just give up and merge nothing.
  314. contents = null;
  315. }
  316. if (contents) {
  317. file.contents = file.contents || (isObject(contents) ? {} : contents);
  318. if (isObject(contents) && fileIsDirectory(file)) {
  319. each(contents, function (value, key) {
  320. if (key === "..") {
  321. child = file.parent;
  322. } else {
  323. var child = getOwn(file.contents, key);
  324. if (! child) {
  325. child = file.contents[key] = new File(
  326. file.module.id.replace(/\/*$/, "/") + key,
  327. file
  328. );
  329. child.options = options;
  330. }
  331. }
  332. fileMergeContents(child, value, options);
  333. });
  334. }
  335. }
  336. }
  337. function each(obj, callback, context) {
  338. Object.keys(obj).forEach(function (key) {
  339. callback.call(this, obj[key], key);
  340. }, context);
  341. }
  342. function fileGetExtensions(file) {
  343. return file.options
  344. && file.options.extensions
  345. || defaultExtensions;
  346. }
  347. function fileAppendIdPart(file, part, extensions) {
  348. // Always append relative to a directory.
  349. while (file && ! fileIsDirectory(file)) {
  350. file = file.parent;
  351. }
  352. if (! file || ! part || part === ".") {
  353. return file;
  354. }
  355. if (part === "..") {
  356. return file.parent;
  357. }
  358. var exactChild = getOwn(file.contents, part);
  359. // Only consider multiple file extensions if this part is the last
  360. // part of a module identifier and not equal to `.` or `..`, and there
  361. // was no exact match or the exact match was a directory.
  362. if (extensions && (! exactChild || fileIsDirectory(exactChild))) {
  363. for (var e = 0; e < extensions.length; ++e) {
  364. var child = getOwn(file.contents, part + extensions[e]);
  365. if (child && ! fileIsDirectory(child)) {
  366. return child;
  367. }
  368. }
  369. }
  370. return exactChild;
  371. }
  372. function fileAppendId(file, id, extensions) {
  373. var parts = id.split("/");
  374. // Use `Array.prototype.every` to terminate iteration early if
  375. // `fileAppendIdPart` returns a falsy value.
  376. parts.every(function (part, i) {
  377. return file = i < parts.length - 1
  378. ? fileAppendIdPart(file, part)
  379. : fileAppendIdPart(file, part, extensions);
  380. });
  381. return file;
  382. }
  383. function recordChild(parentModule, childFile) {
  384. var childModule = childFile && childFile.module;
  385. if (parentModule && childModule) {
  386. parentModule.childrenById[childModule.id] = childModule;
  387. }
  388. }
  389. function fileResolve(file, id, parentModule, seenDirFiles) {
  390. var parentModule = parentModule || file.module;
  391. var extensions = fileGetExtensions(file);
  392. file =
  393. // Absolute module identifiers (i.e. those that begin with a `/`
  394. // character) are interpreted relative to the root directory, which
  395. // is a slight deviation from Node, which has access to the entire
  396. // file system.
  397. id.charAt(0) === "/" ? fileAppendId(root, id, extensions) :
  398. // Relative module identifiers are interpreted relative to the
  399. // current file, naturally.
  400. id.charAt(0) === "." ? fileAppendId(file, id, extensions) :
  401. // Top-level module identifiers are interpreted as referring to
  402. // packages in `node_modules` directories.
  403. nodeModulesLookup(file, id, extensions);
  404. // If the identifier resolves to a directory, we use the same logic as
  405. // Node to find an `index.js` or `package.json` file to evaluate.
  406. while (fileIsDirectory(file)) {
  407. seenDirFiles = seenDirFiles || [];
  408. // If the "main" field of a `package.json` file resolves to a
  409. // directory we've already considered, then we should not attempt to
  410. // read the same `package.json` file again. Using an array as a set
  411. // is acceptable here because the number of directories to consider
  412. // is rarely greater than 1 or 2. Also, using indexOf allows us to
  413. // store File objects instead of strings.
  414. if (seenDirFiles.indexOf(file) < 0) {
  415. seenDirFiles.push(file);
  416. var pkgJsonFile = fileAppendIdPart(file, "package.json");
  417. var pkg = pkgJsonFile && fileEvaluate(pkgJsonFile, parentModule);
  418. var mainFile, resolved = pkg && mainFields.some(function (name) {
  419. var main = pkg[name];
  420. if (isString(main)) {
  421. // The "main" field of package.json does not have to begin
  422. // with ./ to be considered relative, so first we try
  423. // simply appending it to the directory path before
  424. // falling back to a full fileResolve, which might return
  425. // a package from a node_modules directory.
  426. return mainFile = fileAppendId(file, main, extensions) ||
  427. fileResolve(file, main, parentModule, seenDirFiles);
  428. }
  429. });
  430. if (resolved && mainFile) {
  431. file = mainFile;
  432. recordChild(parentModule, pkgJsonFile);
  433. // The fileAppendId call above may have returned a directory,
  434. // so continue the loop to make sure we resolve it to a
  435. // non-directory file.
  436. continue;
  437. }
  438. }
  439. // If we didn't find a `package.json` file, or it didn't have a
  440. // resolvable `.main` property, the only possibility left to
  441. // consider is that this directory contains an `index.js` module.
  442. // This assignment almost always terminates the while loop, because
  443. // there's very little chance `fileIsDirectory(file)` will be true
  444. // for `fileAppendIdPart(file, "index", extensions)`. However, in
  445. // principle it is remotely possible that a file called `index.js`
  446. // could be a directory instead of a file.
  447. file = fileAppendIdPart(file, "index", extensions);
  448. }
  449. if (file && isString(file.contents)) {
  450. file = fileResolve(file, file.contents, parentModule, seenDirFiles);
  451. }
  452. recordChild(parentModule, file);
  453. return file;
  454. };
  455. function nodeModulesLookup(file, id, extensions) {
  456. for (var resolved; file && ! resolved; file = file.parent) {
  457. resolved = fileIsDirectory(file) &&
  458. fileAppendId(file, "node_modules/" + id, extensions);
  459. }
  460. return resolved;
  461. }
  462. return install;
  463. };
  464. if (typeof exports === "object") {
  465. exports.makeInstaller = makeInstaller;
  466. }