RuntimeTemplate.js 31 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040
  1. /*
  2. MIT License http://www.opensource.org/licenses/mit-license.php
  3. Author Tobias Koppers @sokra
  4. */
  5. "use strict";
  6. const InitFragment = require("./InitFragment");
  7. const RuntimeGlobals = require("./RuntimeGlobals");
  8. const Template = require("./Template");
  9. const { equals } = require("./util/ArrayHelpers");
  10. const compileBooleanMatcher = require("./util/compileBooleanMatcher");
  11. const propertyAccess = require("./util/propertyAccess");
  12. const { forEachRuntime, subtractRuntime } = require("./util/runtime");
  13. /** @typedef {import("../declarations/WebpackOptions").OutputNormalized} OutputOptions */
  14. /** @typedef {import("./AsyncDependenciesBlock")} AsyncDependenciesBlock */
  15. /** @typedef {import("./ChunkGraph")} ChunkGraph */
  16. /** @typedef {import("./CodeGenerationResults")} CodeGenerationResults */
  17. /** @typedef {import("./Compilation")} Compilation */
  18. /** @typedef {import("./Dependency")} Dependency */
  19. /** @typedef {import("./Module")} Module */
  20. /** @typedef {import("./ModuleGraph")} ModuleGraph */
  21. /** @typedef {import("./RequestShortener")} RequestShortener */
  22. /** @typedef {import("./util/runtime").RuntimeSpec} RuntimeSpec */
  23. /**
  24. * @param {Module} module the module
  25. * @param {ChunkGraph} chunkGraph the chunk graph
  26. * @returns {string} error message
  27. */
  28. const noModuleIdErrorMessage = (module, chunkGraph) => {
  29. return `Module ${module.identifier()} has no id assigned.
  30. This should not happen.
  31. It's in these chunks: ${
  32. Array.from(
  33. chunkGraph.getModuleChunksIterable(module),
  34. c => c.name || c.id || c.debugId
  35. ).join(", ") || "none"
  36. } (If module is in no chunk this indicates a bug in some chunk/module optimization logic)
  37. Module has these incoming connections: ${Array.from(
  38. chunkGraph.moduleGraph.getIncomingConnections(module),
  39. connection =>
  40. `\n - ${
  41. connection.originModule && connection.originModule.identifier()
  42. } ${connection.dependency && connection.dependency.type} ${
  43. (connection.explanations &&
  44. Array.from(connection.explanations).join(", ")) ||
  45. ""
  46. }`
  47. ).join("")}`;
  48. };
  49. /**
  50. * @param {string|undefined} definition global object definition
  51. * @returns {string} save to use global object
  52. */
  53. function getGlobalObject(definition) {
  54. if (!definition) return definition;
  55. const trimmed = definition.trim();
  56. if (
  57. // identifier, we do not need real identifier regarding ECMAScript/Unicode
  58. trimmed.match(/^[_\p{L}][_0-9\p{L}]*$/iu) ||
  59. // iife
  60. // call expression
  61. // expression in parentheses
  62. trimmed.match(/^([_\p{L}][_0-9\p{L}]*)?\(.*\)$/iu)
  63. )
  64. return trimmed;
  65. return `Object(${trimmed})`;
  66. }
  67. class RuntimeTemplate {
  68. /**
  69. * @param {Compilation} compilation the compilation
  70. * @param {OutputOptions} outputOptions the compilation output options
  71. * @param {RequestShortener} requestShortener the request shortener
  72. */
  73. constructor(compilation, outputOptions, requestShortener) {
  74. this.compilation = compilation;
  75. this.outputOptions = outputOptions || {};
  76. this.requestShortener = requestShortener;
  77. this.globalObject = getGlobalObject(outputOptions.globalObject);
  78. }
  79. isIIFE() {
  80. return this.outputOptions.iife;
  81. }
  82. isModule() {
  83. return this.outputOptions.module;
  84. }
  85. supportsConst() {
  86. return this.outputOptions.environment.const;
  87. }
  88. supportsArrowFunction() {
  89. return this.outputOptions.environment.arrowFunction;
  90. }
  91. supportsOptionalChaining() {
  92. return this.outputOptions.environment.optionalChaining;
  93. }
  94. supportsForOf() {
  95. return this.outputOptions.environment.forOf;
  96. }
  97. supportsDestructuring() {
  98. return this.outputOptions.environment.destructuring;
  99. }
  100. supportsBigIntLiteral() {
  101. return this.outputOptions.environment.bigIntLiteral;
  102. }
  103. supportsDynamicImport() {
  104. return this.outputOptions.environment.dynamicImport;
  105. }
  106. supportsEcmaScriptModuleSyntax() {
  107. return this.outputOptions.environment.module;
  108. }
  109. supportTemplateLiteral() {
  110. return this.outputOptions.environment.templateLiteral;
  111. }
  112. returningFunction(returnValue, args = "") {
  113. return this.supportsArrowFunction()
  114. ? `(${args}) => (${returnValue})`
  115. : `function(${args}) { return ${returnValue}; }`;
  116. }
  117. basicFunction(args, body) {
  118. return this.supportsArrowFunction()
  119. ? `(${args}) => {\n${Template.indent(body)}\n}`
  120. : `function(${args}) {\n${Template.indent(body)}\n}`;
  121. }
  122. /**
  123. * @param {Array<string|{expr: string}>} args args
  124. * @returns {string} result expression
  125. */
  126. concatenation(...args) {
  127. const len = args.length;
  128. if (len === 2) return this._es5Concatenation(args);
  129. if (len === 0) return '""';
  130. if (len === 1) {
  131. return typeof args[0] === "string"
  132. ? JSON.stringify(args[0])
  133. : `"" + ${args[0].expr}`;
  134. }
  135. if (!this.supportTemplateLiteral()) return this._es5Concatenation(args);
  136. // cost comparison between template literal and concatenation:
  137. // both need equal surroundings: `xxx` vs "xxx"
  138. // template literal has constant cost of 3 chars for each expression
  139. // es5 concatenation has cost of 3 + n chars for n expressions in row
  140. // when a es5 concatenation ends with an expression it reduces cost by 3
  141. // when a es5 concatenation starts with an single expression it reduces cost by 3
  142. // e. g. `${a}${b}${c}` (3*3 = 9) is longer than ""+a+b+c ((3+3)-3 = 3)
  143. // e. g. `x${a}x${b}x${c}x` (3*3 = 9) is shorter than "x"+a+"x"+b+"x"+c+"x" (4+4+4 = 12)
  144. let templateCost = 0;
  145. let concatenationCost = 0;
  146. let lastWasExpr = false;
  147. for (const arg of args) {
  148. const isExpr = typeof arg !== "string";
  149. if (isExpr) {
  150. templateCost += 3;
  151. concatenationCost += lastWasExpr ? 1 : 4;
  152. }
  153. lastWasExpr = isExpr;
  154. }
  155. if (lastWasExpr) concatenationCost -= 3;
  156. if (typeof args[0] !== "string" && typeof args[1] === "string")
  157. concatenationCost -= 3;
  158. if (concatenationCost <= templateCost) return this._es5Concatenation(args);
  159. return `\`${args
  160. .map(arg => (typeof arg === "string" ? arg : `\${${arg.expr}}`))
  161. .join("")}\``;
  162. }
  163. /**
  164. * @param {Array<string|{expr: string}>} args args (len >= 2)
  165. * @returns {string} result expression
  166. * @private
  167. */
  168. _es5Concatenation(args) {
  169. const str = args
  170. .map(arg => (typeof arg === "string" ? JSON.stringify(arg) : arg.expr))
  171. .join(" + ");
  172. // when the first two args are expression, we need to prepend "" + to force string
  173. // concatenation instead of number addition.
  174. return typeof args[0] !== "string" && typeof args[1] !== "string"
  175. ? `"" + ${str}`
  176. : str;
  177. }
  178. expressionFunction(expression, args = "") {
  179. return this.supportsArrowFunction()
  180. ? `(${args}) => (${expression})`
  181. : `function(${args}) { ${expression}; }`;
  182. }
  183. emptyFunction() {
  184. return this.supportsArrowFunction() ? "x => {}" : "function() {}";
  185. }
  186. destructureArray(items, value) {
  187. return this.supportsDestructuring()
  188. ? `var [${items.join(", ")}] = ${value};`
  189. : Template.asString(
  190. items.map((item, i) => `var ${item} = ${value}[${i}];`)
  191. );
  192. }
  193. destructureObject(items, value) {
  194. return this.supportsDestructuring()
  195. ? `var {${items.join(", ")}} = ${value};`
  196. : Template.asString(
  197. items.map(item => `var ${item} = ${value}${propertyAccess([item])};`)
  198. );
  199. }
  200. iife(args, body) {
  201. return `(${this.basicFunction(args, body)})()`;
  202. }
  203. forEach(variable, array, body) {
  204. return this.supportsForOf()
  205. ? `for(const ${variable} of ${array}) {\n${Template.indent(body)}\n}`
  206. : `${array}.forEach(function(${variable}) {\n${Template.indent(
  207. body
  208. )}\n});`;
  209. }
  210. /**
  211. * Add a comment
  212. * @param {object} options Information content of the comment
  213. * @param {string=} options.request request string used originally
  214. * @param {string=} options.chunkName name of the chunk referenced
  215. * @param {string=} options.chunkReason reason information of the chunk
  216. * @param {string=} options.message additional message
  217. * @param {string=} options.exportName name of the export
  218. * @returns {string} comment
  219. */
  220. comment({ request, chunkName, chunkReason, message, exportName }) {
  221. let content;
  222. if (this.outputOptions.pathinfo) {
  223. content = [message, request, chunkName, chunkReason]
  224. .filter(Boolean)
  225. .map(item => this.requestShortener.shorten(item))
  226. .join(" | ");
  227. } else {
  228. content = [message, chunkName, chunkReason]
  229. .filter(Boolean)
  230. .map(item => this.requestShortener.shorten(item))
  231. .join(" | ");
  232. }
  233. if (!content) return "";
  234. if (this.outputOptions.pathinfo) {
  235. return Template.toComment(content) + " ";
  236. } else {
  237. return Template.toNormalComment(content) + " ";
  238. }
  239. }
  240. /**
  241. * @param {object} options generation options
  242. * @param {string=} options.request request string used originally
  243. * @returns {string} generated error block
  244. */
  245. throwMissingModuleErrorBlock({ request }) {
  246. const err = `Cannot find module '${request}'`;
  247. return `var e = new Error(${JSON.stringify(
  248. err
  249. )}); e.code = 'MODULE_NOT_FOUND'; throw e;`;
  250. }
  251. /**
  252. * @param {object} options generation options
  253. * @param {string=} options.request request string used originally
  254. * @returns {string} generated error function
  255. */
  256. throwMissingModuleErrorFunction({ request }) {
  257. return `function webpackMissingModule() { ${this.throwMissingModuleErrorBlock(
  258. { request }
  259. )} }`;
  260. }
  261. /**
  262. * @param {object} options generation options
  263. * @param {string=} options.request request string used originally
  264. * @returns {string} generated error IIFE
  265. */
  266. missingModule({ request }) {
  267. return `Object(${this.throwMissingModuleErrorFunction({ request })}())`;
  268. }
  269. /**
  270. * @param {object} options generation options
  271. * @param {string=} options.request request string used originally
  272. * @returns {string} generated error statement
  273. */
  274. missingModuleStatement({ request }) {
  275. return `${this.missingModule({ request })};\n`;
  276. }
  277. /**
  278. * @param {object} options generation options
  279. * @param {string=} options.request request string used originally
  280. * @returns {string} generated error code
  281. */
  282. missingModulePromise({ request }) {
  283. return `Promise.resolve().then(${this.throwMissingModuleErrorFunction({
  284. request
  285. })})`;
  286. }
  287. /**
  288. * @param {Object} options options object
  289. * @param {ChunkGraph} options.chunkGraph the chunk graph
  290. * @param {Module} options.module the module
  291. * @param {string} options.request the request that should be printed as comment
  292. * @param {string=} options.idExpr expression to use as id expression
  293. * @param {"expression" | "promise" | "statements"} options.type which kind of code should be returned
  294. * @returns {string} the code
  295. */
  296. weakError({ module, chunkGraph, request, idExpr, type }) {
  297. const moduleId = chunkGraph.getModuleId(module);
  298. const errorMessage =
  299. moduleId === null
  300. ? JSON.stringify("Module is not available (weak dependency)")
  301. : idExpr
  302. ? `"Module '" + ${idExpr} + "' is not available (weak dependency)"`
  303. : JSON.stringify(
  304. `Module '${moduleId}' is not available (weak dependency)`
  305. );
  306. const comment = request ? Template.toNormalComment(request) + " " : "";
  307. const errorStatements =
  308. `var e = new Error(${errorMessage}); ` +
  309. comment +
  310. "e.code = 'MODULE_NOT_FOUND'; throw e;";
  311. switch (type) {
  312. case "statements":
  313. return errorStatements;
  314. case "promise":
  315. return `Promise.resolve().then(${this.basicFunction(
  316. "",
  317. errorStatements
  318. )})`;
  319. case "expression":
  320. return this.iife("", errorStatements);
  321. }
  322. }
  323. /**
  324. * @param {Object} options options object
  325. * @param {Module} options.module the module
  326. * @param {ChunkGraph} options.chunkGraph the chunk graph
  327. * @param {string} options.request the request that should be printed as comment
  328. * @param {boolean=} options.weak if the dependency is weak (will create a nice error message)
  329. * @returns {string} the expression
  330. */
  331. moduleId({ module, chunkGraph, request, weak }) {
  332. if (!module) {
  333. return this.missingModule({
  334. request
  335. });
  336. }
  337. const moduleId = chunkGraph.getModuleId(module);
  338. if (moduleId === null) {
  339. if (weak) {
  340. return "null /* weak dependency, without id */";
  341. }
  342. throw new Error(
  343. `RuntimeTemplate.moduleId(): ${noModuleIdErrorMessage(
  344. module,
  345. chunkGraph
  346. )}`
  347. );
  348. }
  349. return `${this.comment({ request })}${JSON.stringify(moduleId)}`;
  350. }
  351. /**
  352. * @param {Object} options options object
  353. * @param {Module} options.module the module
  354. * @param {ChunkGraph} options.chunkGraph the chunk graph
  355. * @param {string} options.request the request that should be printed as comment
  356. * @param {boolean=} options.weak if the dependency is weak (will create a nice error message)
  357. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  358. * @returns {string} the expression
  359. */
  360. moduleRaw({ module, chunkGraph, request, weak, runtimeRequirements }) {
  361. if (!module) {
  362. return this.missingModule({
  363. request
  364. });
  365. }
  366. const moduleId = chunkGraph.getModuleId(module);
  367. if (moduleId === null) {
  368. if (weak) {
  369. // only weak referenced modules don't get an id
  370. // we can always emit an error emitting code here
  371. return this.weakError({
  372. module,
  373. chunkGraph,
  374. request,
  375. type: "expression"
  376. });
  377. }
  378. throw new Error(
  379. `RuntimeTemplate.moduleId(): ${noModuleIdErrorMessage(
  380. module,
  381. chunkGraph
  382. )}`
  383. );
  384. }
  385. runtimeRequirements.add(RuntimeGlobals.require);
  386. return `__webpack_require__(${this.moduleId({
  387. module,
  388. chunkGraph,
  389. request,
  390. weak
  391. })})`;
  392. }
  393. /**
  394. * @param {Object} options options object
  395. * @param {Module} options.module the module
  396. * @param {ChunkGraph} options.chunkGraph the chunk graph
  397. * @param {string} options.request the request that should be printed as comment
  398. * @param {boolean=} options.weak if the dependency is weak (will create a nice error message)
  399. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  400. * @returns {string} the expression
  401. */
  402. moduleExports({ module, chunkGraph, request, weak, runtimeRequirements }) {
  403. return this.moduleRaw({
  404. module,
  405. chunkGraph,
  406. request,
  407. weak,
  408. runtimeRequirements
  409. });
  410. }
  411. /**
  412. * @param {Object} options options object
  413. * @param {Module} options.module the module
  414. * @param {ChunkGraph} options.chunkGraph the chunk graph
  415. * @param {string} options.request the request that should be printed as comment
  416. * @param {boolean=} options.strict if the current module is in strict esm mode
  417. * @param {boolean=} options.weak if the dependency is weak (will create a nice error message)
  418. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  419. * @returns {string} the expression
  420. */
  421. moduleNamespace({
  422. module,
  423. chunkGraph,
  424. request,
  425. strict,
  426. weak,
  427. runtimeRequirements
  428. }) {
  429. if (!module) {
  430. return this.missingModule({
  431. request
  432. });
  433. }
  434. if (chunkGraph.getModuleId(module) === null) {
  435. if (weak) {
  436. // only weak referenced modules don't get an id
  437. // we can always emit an error emitting code here
  438. return this.weakError({
  439. module,
  440. chunkGraph,
  441. request,
  442. type: "expression"
  443. });
  444. }
  445. throw new Error(
  446. `RuntimeTemplate.moduleNamespace(): ${noModuleIdErrorMessage(
  447. module,
  448. chunkGraph
  449. )}`
  450. );
  451. }
  452. const moduleId = this.moduleId({
  453. module,
  454. chunkGraph,
  455. request,
  456. weak
  457. });
  458. const exportsType = module.getExportsType(chunkGraph.moduleGraph, strict);
  459. switch (exportsType) {
  460. case "namespace":
  461. return this.moduleRaw({
  462. module,
  463. chunkGraph,
  464. request,
  465. weak,
  466. runtimeRequirements
  467. });
  468. case "default-with-named":
  469. runtimeRequirements.add(RuntimeGlobals.createFakeNamespaceObject);
  470. return `${RuntimeGlobals.createFakeNamespaceObject}(${moduleId}, 3)`;
  471. case "default-only":
  472. runtimeRequirements.add(RuntimeGlobals.createFakeNamespaceObject);
  473. return `${RuntimeGlobals.createFakeNamespaceObject}(${moduleId}, 1)`;
  474. case "dynamic":
  475. runtimeRequirements.add(RuntimeGlobals.createFakeNamespaceObject);
  476. return `${RuntimeGlobals.createFakeNamespaceObject}(${moduleId}, 7)`;
  477. }
  478. }
  479. /**
  480. * @param {Object} options options object
  481. * @param {ChunkGraph} options.chunkGraph the chunk graph
  482. * @param {AsyncDependenciesBlock=} options.block the current dependencies block
  483. * @param {Module} options.module the module
  484. * @param {string} options.request the request that should be printed as comment
  485. * @param {string} options.message a message for the comment
  486. * @param {boolean=} options.strict if the current module is in strict esm mode
  487. * @param {boolean=} options.weak if the dependency is weak (will create a nice error message)
  488. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  489. * @returns {string} the promise expression
  490. */
  491. moduleNamespacePromise({
  492. chunkGraph,
  493. block,
  494. module,
  495. request,
  496. message,
  497. strict,
  498. weak,
  499. runtimeRequirements
  500. }) {
  501. if (!module) {
  502. return this.missingModulePromise({
  503. request
  504. });
  505. }
  506. const moduleId = chunkGraph.getModuleId(module);
  507. if (moduleId === null) {
  508. if (weak) {
  509. // only weak referenced modules don't get an id
  510. // we can always emit an error emitting code here
  511. return this.weakError({
  512. module,
  513. chunkGraph,
  514. request,
  515. type: "promise"
  516. });
  517. }
  518. throw new Error(
  519. `RuntimeTemplate.moduleNamespacePromise(): ${noModuleIdErrorMessage(
  520. module,
  521. chunkGraph
  522. )}`
  523. );
  524. }
  525. const promise = this.blockPromise({
  526. chunkGraph,
  527. block,
  528. message,
  529. runtimeRequirements
  530. });
  531. let appending;
  532. let idExpr = JSON.stringify(chunkGraph.getModuleId(module));
  533. const comment = this.comment({
  534. request
  535. });
  536. let header = "";
  537. if (weak) {
  538. if (idExpr.length > 8) {
  539. // 'var x="nnnnnn";x,"+x+",x' vs '"nnnnnn",nnnnnn,"nnnnnn"'
  540. header += `var id = ${idExpr}; `;
  541. idExpr = "id";
  542. }
  543. runtimeRequirements.add(RuntimeGlobals.moduleFactories);
  544. header += `if(!${
  545. RuntimeGlobals.moduleFactories
  546. }[${idExpr}]) { ${this.weakError({
  547. module,
  548. chunkGraph,
  549. request,
  550. idExpr,
  551. type: "statements"
  552. })} } `;
  553. }
  554. const moduleIdExpr = this.moduleId({
  555. module,
  556. chunkGraph,
  557. request,
  558. weak
  559. });
  560. const exportsType = module.getExportsType(chunkGraph.moduleGraph, strict);
  561. let fakeType = 16;
  562. switch (exportsType) {
  563. case "namespace":
  564. if (header) {
  565. const rawModule = this.moduleRaw({
  566. module,
  567. chunkGraph,
  568. request,
  569. weak,
  570. runtimeRequirements
  571. });
  572. appending = `.then(${this.basicFunction(
  573. "",
  574. `${header}return ${rawModule};`
  575. )})`;
  576. } else {
  577. runtimeRequirements.add(RuntimeGlobals.require);
  578. appending = `.then(__webpack_require__.bind(__webpack_require__, ${comment}${idExpr}))`;
  579. }
  580. break;
  581. case "dynamic":
  582. fakeType |= 4;
  583. /* fall through */
  584. case "default-with-named":
  585. fakeType |= 2;
  586. /* fall through */
  587. case "default-only":
  588. runtimeRequirements.add(RuntimeGlobals.createFakeNamespaceObject);
  589. if (chunkGraph.moduleGraph.isAsync(module)) {
  590. if (header) {
  591. const rawModule = this.moduleRaw({
  592. module,
  593. chunkGraph,
  594. request,
  595. weak,
  596. runtimeRequirements
  597. });
  598. appending = `.then(${this.basicFunction(
  599. "",
  600. `${header}return ${rawModule};`
  601. )})`;
  602. } else {
  603. runtimeRequirements.add(RuntimeGlobals.require);
  604. appending = `.then(__webpack_require__.bind(__webpack_require__, ${comment}${idExpr}))`;
  605. }
  606. appending += `.then(${this.returningFunction(
  607. `${RuntimeGlobals.createFakeNamespaceObject}(m, ${fakeType})`,
  608. "m"
  609. )})`;
  610. } else {
  611. fakeType |= 1;
  612. if (header) {
  613. const returnExpression = `${RuntimeGlobals.createFakeNamespaceObject}(${moduleIdExpr}, ${fakeType})`;
  614. appending = `.then(${this.basicFunction(
  615. "",
  616. `${header}return ${returnExpression};`
  617. )})`;
  618. } else {
  619. appending = `.then(${RuntimeGlobals.createFakeNamespaceObject}.bind(__webpack_require__, ${comment}${idExpr}, ${fakeType}))`;
  620. }
  621. }
  622. break;
  623. }
  624. return `${promise || "Promise.resolve()"}${appending}`;
  625. }
  626. /**
  627. * @param {Object} options options object
  628. * @param {ChunkGraph} options.chunkGraph the chunk graph
  629. * @param {RuntimeSpec=} options.runtime runtime for which this code will be generated
  630. * @param {RuntimeSpec | boolean=} options.runtimeCondition only execute the statement in some runtimes
  631. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  632. * @returns {string} expression
  633. */
  634. runtimeConditionExpression({
  635. chunkGraph,
  636. runtimeCondition,
  637. runtime,
  638. runtimeRequirements
  639. }) {
  640. if (runtimeCondition === undefined) return "true";
  641. if (typeof runtimeCondition === "boolean") return `${runtimeCondition}`;
  642. /** @type {Set<string>} */
  643. const positiveRuntimeIds = new Set();
  644. forEachRuntime(runtimeCondition, runtime =>
  645. positiveRuntimeIds.add(`${chunkGraph.getRuntimeId(runtime)}`)
  646. );
  647. /** @type {Set<string>} */
  648. const negativeRuntimeIds = new Set();
  649. forEachRuntime(subtractRuntime(runtime, runtimeCondition), runtime =>
  650. negativeRuntimeIds.add(`${chunkGraph.getRuntimeId(runtime)}`)
  651. );
  652. runtimeRequirements.add(RuntimeGlobals.runtimeId);
  653. return compileBooleanMatcher.fromLists(
  654. Array.from(positiveRuntimeIds),
  655. Array.from(negativeRuntimeIds)
  656. )(RuntimeGlobals.runtimeId);
  657. }
  658. /**
  659. *
  660. * @param {Object} options options object
  661. * @param {boolean=} options.update whether a new variable should be created or the existing one updated
  662. * @param {Module} options.module the module
  663. * @param {ChunkGraph} options.chunkGraph the chunk graph
  664. * @param {string} options.request the request that should be printed as comment
  665. * @param {string} options.importVar name of the import variable
  666. * @param {Module} options.originModule module in which the statement is emitted
  667. * @param {boolean=} options.weak true, if this is a weak dependency
  668. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  669. * @returns {[string, string]} the import statement and the compat statement
  670. */
  671. importStatement({
  672. update,
  673. module,
  674. chunkGraph,
  675. request,
  676. importVar,
  677. originModule,
  678. weak,
  679. runtimeRequirements
  680. }) {
  681. if (!module) {
  682. return [
  683. this.missingModuleStatement({
  684. request
  685. }),
  686. ""
  687. ];
  688. }
  689. if (chunkGraph.getModuleId(module) === null) {
  690. if (weak) {
  691. // only weak referenced modules don't get an id
  692. // we can always emit an error emitting code here
  693. return [
  694. this.weakError({
  695. module,
  696. chunkGraph,
  697. request,
  698. type: "statements"
  699. }),
  700. ""
  701. ];
  702. }
  703. throw new Error(
  704. `RuntimeTemplate.importStatement(): ${noModuleIdErrorMessage(
  705. module,
  706. chunkGraph
  707. )}`
  708. );
  709. }
  710. const moduleId = this.moduleId({
  711. module,
  712. chunkGraph,
  713. request,
  714. weak
  715. });
  716. const optDeclaration = update ? "" : "var ";
  717. const exportsType = module.getExportsType(
  718. chunkGraph.moduleGraph,
  719. originModule.buildMeta.strictHarmonyModule
  720. );
  721. runtimeRequirements.add(RuntimeGlobals.require);
  722. const importContent = `/* harmony import */ ${optDeclaration}${importVar} = __webpack_require__(${moduleId});\n`;
  723. if (exportsType === "dynamic") {
  724. runtimeRequirements.add(RuntimeGlobals.compatGetDefaultExport);
  725. return [
  726. importContent,
  727. `/* harmony import */ ${optDeclaration}${importVar}_default = /*#__PURE__*/${RuntimeGlobals.compatGetDefaultExport}(${importVar});\n`
  728. ];
  729. }
  730. return [importContent, ""];
  731. }
  732. /**
  733. * @param {Object} options options
  734. * @param {ModuleGraph} options.moduleGraph the module graph
  735. * @param {Module} options.module the module
  736. * @param {string} options.request the request
  737. * @param {string | string[]} options.exportName the export name
  738. * @param {Module} options.originModule the origin module
  739. * @param {boolean|undefined} options.asiSafe true, if location is safe for ASI, a bracket can be emitted
  740. * @param {boolean} options.isCall true, if expression will be called
  741. * @param {boolean} options.callContext when false, call context will not be preserved
  742. * @param {boolean} options.defaultInterop when true and accessing the default exports, interop code will be generated
  743. * @param {string} options.importVar the identifier name of the import variable
  744. * @param {InitFragment[]} options.initFragments init fragments will be added here
  745. * @param {RuntimeSpec} options.runtime runtime for which this code will be generated
  746. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  747. * @returns {string} expression
  748. */
  749. exportFromImport({
  750. moduleGraph,
  751. module,
  752. request,
  753. exportName,
  754. originModule,
  755. asiSafe,
  756. isCall,
  757. callContext,
  758. defaultInterop,
  759. importVar,
  760. initFragments,
  761. runtime,
  762. runtimeRequirements
  763. }) {
  764. if (!module) {
  765. return this.missingModule({
  766. request
  767. });
  768. }
  769. if (!Array.isArray(exportName)) {
  770. exportName = exportName ? [exportName] : [];
  771. }
  772. const exportsType = module.getExportsType(
  773. moduleGraph,
  774. originModule.buildMeta.strictHarmonyModule
  775. );
  776. if (defaultInterop) {
  777. if (exportName.length > 0 && exportName[0] === "default") {
  778. switch (exportsType) {
  779. case "dynamic":
  780. if (isCall) {
  781. return `${importVar}_default()${propertyAccess(exportName, 1)}`;
  782. } else {
  783. return asiSafe
  784. ? `(${importVar}_default()${propertyAccess(exportName, 1)})`
  785. : asiSafe === false
  786. ? `;(${importVar}_default()${propertyAccess(exportName, 1)})`
  787. : `${importVar}_default.a${propertyAccess(exportName, 1)}`;
  788. }
  789. case "default-only":
  790. case "default-with-named":
  791. exportName = exportName.slice(1);
  792. break;
  793. }
  794. } else if (exportName.length > 0) {
  795. if (exportsType === "default-only") {
  796. return (
  797. "/* non-default import from non-esm module */undefined" +
  798. propertyAccess(exportName, 1)
  799. );
  800. } else if (
  801. exportsType !== "namespace" &&
  802. exportName[0] === "__esModule"
  803. ) {
  804. return "/* __esModule */true";
  805. }
  806. } else if (
  807. exportsType === "default-only" ||
  808. exportsType === "default-with-named"
  809. ) {
  810. runtimeRequirements.add(RuntimeGlobals.createFakeNamespaceObject);
  811. initFragments.push(
  812. new InitFragment(
  813. `var ${importVar}_namespace_cache;\n`,
  814. InitFragment.STAGE_CONSTANTS,
  815. -1,
  816. `${importVar}_namespace_cache`
  817. )
  818. );
  819. return `/*#__PURE__*/ ${
  820. asiSafe ? "" : asiSafe === false ? ";" : "Object"
  821. }(${importVar}_namespace_cache || (${importVar}_namespace_cache = ${
  822. RuntimeGlobals.createFakeNamespaceObject
  823. }(${importVar}${exportsType === "default-only" ? "" : ", 2"})))`;
  824. }
  825. }
  826. if (exportName.length > 0) {
  827. const exportsInfo = moduleGraph.getExportsInfo(module);
  828. const used = exportsInfo.getUsedName(exportName, runtime);
  829. if (!used) {
  830. const comment = Template.toNormalComment(
  831. `unused export ${propertyAccess(exportName)}`
  832. );
  833. return `${comment} undefined`;
  834. }
  835. const comment = equals(used, exportName)
  836. ? ""
  837. : Template.toNormalComment(propertyAccess(exportName)) + " ";
  838. const access = `${importVar}${comment}${propertyAccess(used)}`;
  839. if (isCall && callContext === false) {
  840. return asiSafe
  841. ? `(0,${access})`
  842. : asiSafe === false
  843. ? `;(0,${access})`
  844. : `/*#__PURE__*/Object(${access})`;
  845. }
  846. return access;
  847. } else {
  848. return importVar;
  849. }
  850. }
  851. /**
  852. * @param {Object} options options
  853. * @param {AsyncDependenciesBlock} options.block the async block
  854. * @param {string} options.message the message
  855. * @param {ChunkGraph} options.chunkGraph the chunk graph
  856. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  857. * @returns {string} expression
  858. */
  859. blockPromise({ block, message, chunkGraph, runtimeRequirements }) {
  860. if (!block) {
  861. const comment = this.comment({
  862. message
  863. });
  864. return `Promise.resolve(${comment.trim()})`;
  865. }
  866. const chunkGroup = chunkGraph.getBlockChunkGroup(block);
  867. if (!chunkGroup || chunkGroup.chunks.length === 0) {
  868. const comment = this.comment({
  869. message
  870. });
  871. return `Promise.resolve(${comment.trim()})`;
  872. }
  873. const chunks = chunkGroup.chunks.filter(
  874. chunk => !chunk.hasRuntime() && chunk.id !== null
  875. );
  876. const comment = this.comment({
  877. message,
  878. chunkName: block.chunkName
  879. });
  880. if (chunks.length === 1) {
  881. const chunkId = JSON.stringify(chunks[0].id);
  882. runtimeRequirements.add(RuntimeGlobals.ensureChunk);
  883. return `${RuntimeGlobals.ensureChunk}(${comment}${chunkId})`;
  884. } else if (chunks.length > 0) {
  885. runtimeRequirements.add(RuntimeGlobals.ensureChunk);
  886. const requireChunkId = chunk =>
  887. `${RuntimeGlobals.ensureChunk}(${JSON.stringify(chunk.id)})`;
  888. return `Promise.all(${comment.trim()}[${chunks
  889. .map(requireChunkId)
  890. .join(", ")}])`;
  891. } else {
  892. return `Promise.resolve(${comment.trim()})`;
  893. }
  894. }
  895. /**
  896. * @param {Object} options options
  897. * @param {AsyncDependenciesBlock} options.block the async block
  898. * @param {ChunkGraph} options.chunkGraph the chunk graph
  899. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  900. * @param {string=} options.request request string used originally
  901. * @returns {string} expression
  902. */
  903. asyncModuleFactory({ block, chunkGraph, runtimeRequirements, request }) {
  904. const dep = block.dependencies[0];
  905. const module = chunkGraph.moduleGraph.getModule(dep);
  906. const ensureChunk = this.blockPromise({
  907. block,
  908. message: "",
  909. chunkGraph,
  910. runtimeRequirements
  911. });
  912. const factory = this.returningFunction(
  913. this.moduleRaw({
  914. module,
  915. chunkGraph,
  916. request,
  917. runtimeRequirements
  918. })
  919. );
  920. return this.returningFunction(
  921. ensureChunk.startsWith("Promise.resolve(")
  922. ? `${factory}`
  923. : `${ensureChunk}.then(${this.returningFunction(factory)})`
  924. );
  925. }
  926. /**
  927. * @param {Object} options options
  928. * @param {Dependency} options.dependency the dependency
  929. * @param {ChunkGraph} options.chunkGraph the chunk graph
  930. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  931. * @param {string=} options.request request string used originally
  932. * @returns {string} expression
  933. */
  934. syncModuleFactory({ dependency, chunkGraph, runtimeRequirements, request }) {
  935. const module = chunkGraph.moduleGraph.getModule(dependency);
  936. const factory = this.returningFunction(
  937. this.moduleRaw({
  938. module,
  939. chunkGraph,
  940. request,
  941. runtimeRequirements
  942. })
  943. );
  944. return this.returningFunction(factory);
  945. }
  946. /**
  947. * @param {Object} options options
  948. * @param {string} options.exportsArgument the name of the exports object
  949. * @param {Set<string>} options.runtimeRequirements if set, will be filled with runtime requirements
  950. * @returns {string} statement
  951. */
  952. defineEsModuleFlagStatement({ exportsArgument, runtimeRequirements }) {
  953. runtimeRequirements.add(RuntimeGlobals.makeNamespaceObject);
  954. runtimeRequirements.add(RuntimeGlobals.exports);
  955. return `${RuntimeGlobals.makeNamespaceObject}(${exportsArgument});\n`;
  956. }
  957. /**
  958. * @param {Object} options options object
  959. * @param {Module} options.module the module
  960. * @param {string} options.publicPath the public path
  961. * @param {RuntimeSpec=} options.runtime runtime
  962. * @param {CodeGenerationResults} options.codeGenerationResults the code generation results
  963. * @returns {string} the url of the asset
  964. */
  965. assetUrl({ publicPath, runtime, module, codeGenerationResults }) {
  966. if (!module) {
  967. return "data:,";
  968. }
  969. const codeGen = codeGenerationResults.get(module, runtime);
  970. const { data } = codeGen;
  971. const url = data.get("url");
  972. if (url) return url;
  973. const filename = data.get("filename");
  974. return publicPath + filename;
  975. }
  976. }
  977. module.exports = RuntimeTemplate;