builder/lib/tasks/bundlers/generateComponentPreload.js

  1. import path from "node:path";
  2. import moduleBundler from "../../processors/bundlers/moduleBundler.js";
  3. import {getLogger} from "@ui5/logger";
  4. const log = getLogger("builder:tasks:bundlers:generateComponentPreload");
  5. import {negateFilters} from "../../lbt/resources/ResourceFilterList.js";
  6. /**
  7. * @public
  8. * @module @ui5/builder/tasks/bundlers/generateComponentPreload
  9. */
  10. /**
  11. * Task to for application bundling.
  12. *
  13. * @public
  14. * @function default
  15. * @static
  16. *
  17. * @param {object} parameters Parameters
  18. * @param {@ui5/fs/DuplexCollection} parameters.workspace DuplexCollection to read and write files
  19. * @param {@ui5/project/build/helpers/TaskUtil|object} [parameters.taskUtil] TaskUtil
  20. * @param {object} parameters.options Options
  21. * @param {string} parameters.options.projectName Project name
  22. * @param {string[]} [parameters.options.excludes=[]] List of modules declared as glob patterns (resource name patterns)
  23. * that should be excluded.
  24. * A pattern ending with a slash '/' will, similarly to the use of a single '*' or double '**' asterisk,
  25. * denote an arbitrary number of characters or folder names.
  26. * Re-includes should be marked with a leading exclamation mark '!'. The order of filters is relevant; a later
  27. * inclusion overrides an earlier exclusion, and vice versa.
  28. * @param {string[]} [parameters.options.paths] Array of paths (or glob patterns) for component files
  29. * @param {string[]} [parameters.options.namespaces] Array of component namespaces
  30. * @param {string[]} [parameters.options.skipBundles] Names of bundles that should not be created
  31. * @returns {Promise<undefined>} Promise resolving with <code>undefined</code> once data has been written
  32. */
  33. export default async function({
  34. workspace, taskUtil, options: {projectName, paths, namespaces, skipBundles = [], excludes = []}
  35. }) {
  36. let nonDbgWorkspace = workspace;
  37. if (taskUtil) {
  38. nonDbgWorkspace = taskUtil.resourceFactory.createFilterReader({
  39. reader: workspace,
  40. callback: function(resource) {
  41. // Remove any debug variants
  42. return !taskUtil.getTag(resource, taskUtil.STANDARD_TAGS.IsDebugVariant);
  43. }
  44. });
  45. }
  46. return nonDbgWorkspace.byGlob("/resources/**/*.{js,json,xml,html,properties,library,js.map}")
  47. .then(async (resources) => {
  48. let allNamespaces = [];
  49. if (paths) {
  50. allNamespaces = await Promise.all(paths.map(async (componentPath) => {
  51. const globPath = "/resources/" + componentPath;
  52. log.verbose(`Globbing for Components directories with configured path ${globPath}...`);
  53. const components = await nonDbgWorkspace.byGlob(globPath);
  54. return components.map((component) => {
  55. const compDir = path.dirname(component.getPath()).replace(/^\/resources\//i, "");
  56. log.verbose(`Found component namespace ${compDir}`);
  57. return compDir;
  58. });
  59. }));
  60. }
  61. if (namespaces) {
  62. allNamespaces.push(...namespaces);
  63. }
  64. allNamespaces = Array.prototype.concat.apply([], allNamespaces);
  65. // As this task is often called with a single namespace, also check
  66. // for bad calls like "namespaces: [undefined]"
  67. if (!allNamespaces || !allNamespaces.length || !allNamespaces[0]) {
  68. throw new Error("generateComponentPreload: No component namespace(s) " +
  69. `found for project: ${projectName}`);
  70. }
  71. const allFilterExcludes = negateFilters(excludes);
  72. const unusedFilterExcludes = new Set(allFilterExcludes);
  73. const bundleDefinitions = allNamespaces.map((namespace) => {
  74. const bundleName = `${namespace}/Component-preload.js`;
  75. if (skipBundles.includes(bundleName)) {
  76. log.verbose(`Skipping generation of bundle ${bundleName}`);
  77. return null;
  78. }
  79. const filters = [
  80. `${namespace}/`,
  81. `${namespace}/**/manifest.json`,
  82. `${namespace}/changes/changes-bundle.json`,
  83. `${namespace}/changes/flexibility-bundle.json`,
  84. `!${namespace}/test/`
  85. ];
  86. // Add configured excludes for namespace
  87. allFilterExcludes.forEach((filterExclude) => {
  88. // Allow all excludes (!) and limit re-includes (+) to the component namespace
  89. if (filterExclude.startsWith("!") || filterExclude.startsWith(`+${namespace}/`)) {
  90. filters.push(filterExclude);
  91. unusedFilterExcludes.delete(filterExclude);
  92. }
  93. });
  94. // Exclude other namespaces at the end of filter list to override potential re-includes
  95. // from "excludes" config
  96. allNamespaces.forEach((ns) => {
  97. if (ns !== namespace && ns.startsWith(`${namespace}/`)) {
  98. filters.push(`!${ns}/`);
  99. // Explicitly exclude manifest.json files of subcomponents since the general exclude above this
  100. // comment only applies to the configured default file types, which do not include ".json"
  101. filters.push(`!${ns}/**/manifest.json`);
  102. }
  103. });
  104. return {
  105. name: bundleName,
  106. defaultFileTypes: [
  107. ".js",
  108. ".control.xml",
  109. ".fragment.html",
  110. ".fragment.json",
  111. ".fragment.xml",
  112. ".view.html",
  113. ".view.json",
  114. ".view.xml",
  115. ".properties"
  116. ],
  117. sections: [
  118. {
  119. mode: "preload",
  120. filters: filters,
  121. resolve: false,
  122. resolveConditional: false,
  123. renderer: false
  124. }
  125. ]
  126. };
  127. });
  128. if (unusedFilterExcludes.size > 0) {
  129. unusedFilterExcludes.forEach((filterExclude) => {
  130. log.warn(
  131. `Configured preload exclude contains invalid re-include: !${filterExclude.substr(1)}. ` +
  132. `Re-includes must start with a component namespace (${allNamespaces.join(" or ")})`
  133. );
  134. });
  135. }
  136. return Promise.all(bundleDefinitions.filter(Boolean).map((bundleDefinition) => {
  137. log.verbose(`Generating ${bundleDefinition.name}...`);
  138. return moduleBundler({
  139. resources,
  140. options: {
  141. bundleDefinition,
  142. bundleOptions: {
  143. ignoreMissingModules: true,
  144. optimize: true
  145. }
  146. }
  147. });
  148. }));
  149. })
  150. .then((results) => {
  151. const bundles = Array.prototype.concat.apply([], results);
  152. return Promise.all(bundles.map(({bundle, sourceMap}) => {
  153. if (taskUtil) {
  154. taskUtil.setTag(bundle, taskUtil.STANDARD_TAGS.IsBundle);
  155. // Clear tag that might have been set by the minify task, in cases where
  156. // the bundle name is identical to a source file
  157. taskUtil.clearTag(sourceMap, taskUtil.STANDARD_TAGS.OmitFromBuildResult);
  158. }
  159. return Promise.all([
  160. workspace.write(bundle),
  161. workspace.write(sourceMap)
  162. ]);
  163. }));
  164. });
  165. }