builder/lib/tasks/bundlers/generateLibraryPreload.js

  1. import {getLogger} from "@ui5/logger";
  2. const log = getLogger("builder:tasks:bundlers:generateLibraryPreload");
  3. import moduleBundler from "../../processors/bundlers/moduleBundler.js";
  4. import {negateFilters} from "../../lbt/resources/ResourceFilterList.js";
  5. import createModuleNameMapping from "./utils/createModuleNameMapping.js";
  6. function getDefaultLibraryPreloadFilters(namespace, excludes) {
  7. const filters = [
  8. `${namespace}/`,
  9. `${namespace}/**/manifest.json`,
  10. `!${namespace}/**/*-preload.js`, // exclude all bundles
  11. `!${namespace}/designtime/`,
  12. `!${namespace}/**/*.designtime.js`,
  13. `!${namespace}/**/*.support.js`
  14. ];
  15. if (Array.isArray(excludes)) {
  16. const allFilterExcludes = negateFilters(excludes);
  17. // Add configured excludes at the end of filter list
  18. allFilterExcludes.forEach((filterExclude) => {
  19. // Allow all excludes (!) and limit re-includes (+) to the library namespace
  20. if (filterExclude.startsWith("!") || filterExclude.startsWith(`+${namespace}/`)) {
  21. filters.push(filterExclude);
  22. } else {
  23. log.warn(`Configured preload exclude contains invalid re-include: !${filterExclude.substr(1)}. ` +
  24. `Re-includes must start with the library's namespace ${namespace}`);
  25. }
  26. });
  27. }
  28. return filters;
  29. }
  30. function getBundleDefinition(namespace, excludes) {
  31. // Note: This configuration is only used when no bundle definition in ui5.yaml exists (see "skipBundles" parameter)
  32. // TODO: Remove this hardcoded bundle definition.
  33. // sap.ui.core ui5.yaml contains a configuration since UI5 1.103.0 (specVersion 2.4)
  34. // so this is still required to build UI5 versions <= 1.102.0.
  35. if (namespace === "sap/ui/core") {
  36. return {
  37. name: `${namespace}/library-preload.js`,
  38. sections: [
  39. {
  40. // exclude the content of sap-ui-core by declaring it as 'provided'
  41. mode: "provided",
  42. filters: [
  43. "ui5loader-autoconfig.js",
  44. "sap/ui/core/Core.js"
  45. ],
  46. resolve: true
  47. },
  48. {
  49. mode: "preload",
  50. filters: [
  51. // Note: Don't pass configured preload excludes for sap.ui.core
  52. // as they are already hardcoded below.
  53. ...getDefaultLibraryPreloadFilters(namespace),
  54. `!${namespace}/cldr/`,
  55. "*.js",
  56. "sap/base/",
  57. "sap/ui/base/",
  58. "sap/ui/dom/",
  59. "sap/ui/events/",
  60. "sap/ui/model/",
  61. "sap/ui/security/",
  62. "sap/ui/util/",
  63. "sap/ui/Global.js",
  64. // include only thirdparty that is very likely to be used
  65. "sap/ui/thirdparty/crossroads.js",
  66. "sap/ui/thirdparty/caja-html-sanitizer.js",
  67. "sap/ui/thirdparty/hasher.js",
  68. "sap/ui/thirdparty/signals.js",
  69. "sap/ui/thirdparty/jquery-mobile-custom.js",
  70. "sap/ui/thirdparty/jqueryui/jquery-ui-core.js",
  71. "sap/ui/thirdparty/jqueryui/jquery-ui-position.js",
  72. // other excludes (not required for productive scenarios)
  73. "!sap-ui-*.js",
  74. "!sap/ui/core/support/",
  75. "!sap/ui/core/plugin/DeclarativeSupport.js",
  76. "!sap/ui/core/plugin/LessSupport.js"
  77. ],
  78. resolve: false,
  79. resolveConditional: false,
  80. renderer: true
  81. }
  82. ]
  83. };
  84. }
  85. return {
  86. name: `${namespace}/library-preload.js`,
  87. sections: [
  88. {
  89. mode: "preload",
  90. filters: getDefaultLibraryPreloadFilters(namespace, excludes),
  91. resolve: false,
  92. resolveConditional: false,
  93. renderer: true
  94. }
  95. ]
  96. };
  97. }
  98. function getDesigntimeBundleDefinition(namespace) {
  99. return {
  100. name: `${namespace}/designtime/library-preload.designtime.js`,
  101. sections: [
  102. {
  103. mode: "preload",
  104. filters: [
  105. `${namespace}/**/*.designtime.js`,
  106. `${namespace}/designtime/`,
  107. `!${namespace}/**/*-preload.designtime.js`,
  108. `!${namespace}/designtime/**/*.properties`,
  109. `!${namespace}/designtime/**/*.svg`,
  110. `!${namespace}/designtime/**/*.xml`
  111. ],
  112. resolve: false,
  113. resolveConditional: false,
  114. renderer: false
  115. }
  116. ]
  117. };
  118. }
  119. function getSupportFilesBundleDefinition(namespace) {
  120. return {
  121. name: `${namespace}/library-preload.support.js`,
  122. sections: [
  123. {
  124. mode: "preload",
  125. filters: [
  126. `${namespace}/**/*.support.js`,
  127. `!${namespace}/**/*-preload.support.js`
  128. ],
  129. resolve: false,
  130. resolveConditional: false,
  131. renderer: false
  132. }
  133. ]
  134. };
  135. }
  136. function getModuleBundlerOptions(config) {
  137. const moduleBundlerOptions = {};
  138. // required in sap-ui-core-nojQuery.js and sap-ui-core-nojQuery-dbg.js
  139. const providedSection = {
  140. mode: "provided",
  141. filters: [
  142. "jquery-ui-core.js",
  143. "jquery-ui-datepicker.js",
  144. "jquery-ui-position.js",
  145. "sap/ui/thirdparty/jquery.js",
  146. "sap/ui/thirdparty/jquery/*",
  147. "sap/ui/thirdparty/jqueryui/*"
  148. ]
  149. };
  150. moduleBundlerOptions.bundleOptions = {
  151. optimize: config.preload,
  152. decorateBootstrapModule: config.preload,
  153. addTryCatchRestartWrapper: config.preload,
  154. usePredefineCalls: config.preload
  155. };
  156. moduleBundlerOptions.bundleDefinition = getSapUiCoreBunDef(config.name, config.filters, config.preload);
  157. if (config.provided) {
  158. moduleBundlerOptions.bundleDefinition.sections.unshift(providedSection);
  159. }
  160. if (config.moduleNameMapping) {
  161. moduleBundlerOptions.moduleNameMapping = config.moduleNameMapping;
  162. }
  163. return moduleBundlerOptions;
  164. }
  165. function getSapUiCoreBunDef(name, filters, preload) {
  166. const bundleDefinition = {
  167. name,
  168. sections: []
  169. };
  170. // add raw section
  171. bundleDefinition.sections.push({
  172. // include all 'raw' modules that are needed for the UI5 loader
  173. mode: "raw",
  174. filters,
  175. resolve: true, // dependencies for raw modules are taken from shims in .library files
  176. sort: true, // topological sort on raw modules is mandatory
  177. declareModules: false
  178. });
  179. if (preload) {
  180. // add preload section
  181. bundleDefinition.sections.push({
  182. mode: "preload",
  183. filters: [
  184. "sap/ui/core/Core.js"
  185. ],
  186. resolve: true
  187. });
  188. }
  189. // add require section
  190. bundleDefinition.sections.push({
  191. mode: "require",
  192. filters: [
  193. "sap/ui/core/Core.js"
  194. ]
  195. });
  196. return bundleDefinition;
  197. }
  198. /**
  199. * @public
  200. * @module @ui5/builder/tasks/bundlers/generateLibraryPreload
  201. */
  202. /**
  203. * Task for library bundling.
  204. *
  205. * @public
  206. * @function default
  207. * @static
  208. *
  209. * @param {object} parameters Parameters
  210. * @param {@ui5/fs/DuplexCollection} parameters.workspace DuplexCollection to read and write files
  211. * @param {@ui5/project/build/helpers/TaskUtil} [parameters.taskUtil] TaskUtil
  212. * @param {object} parameters.options Options
  213. * @param {string} parameters.options.projectName Project name
  214. * @param {string[]} [parameters.options.skipBundles] Names of bundles that should not be created
  215. * @param {string[]} [parameters.options.excludes=[]] List of modules declared as glob patterns (resource name patterns)
  216. * that should be excluded from the library-preload.js bundle.
  217. * A pattern ending with a slash '/' will, similarly to the use of a single '*' or double '**' asterisk,
  218. * denote an arbitrary number of characters or folder names.
  219. * Re-includes should be marked with a leading exclamation mark '!'. The order of filters is relevant; a later
  220. * inclusion overrides an earlier exclusion, and vice versa.
  221. * @returns {Promise<undefined>} Promise resolving with <code>undefined</code> once data has been written
  222. */
  223. export default async function({workspace, taskUtil, options: {skipBundles = [], excludes = [], projectName}}) {
  224. let nonDbgWorkspace = workspace;
  225. if (taskUtil) {
  226. nonDbgWorkspace = taskUtil.resourceFactory.createFilterReader({
  227. reader: workspace,
  228. callback: function(resource) {
  229. // Remove any debug variants
  230. return !taskUtil.getTag(resource, taskUtil.STANDARD_TAGS.IsDebugVariant);
  231. }
  232. });
  233. }
  234. const execModuleBundlerIfNeeded = ({options, resources}) => {
  235. if (skipBundles.includes(options.bundleDefinition.name)) {
  236. log.verbose(`Skipping generation of bundle ${options.bundleDefinition.name}`);
  237. return null;
  238. }
  239. return moduleBundler({options, resources});
  240. };
  241. return nonDbgWorkspace.byGlob("/**/*.{js,json,xml,html,properties,library,js.map}").then(async (resources) => {
  242. // Find all libraries and create a library-preload.js bundle
  243. let p = Promise.resolve();
  244. // Create core bundles for older versions (<1.97.0) which don't define bundle configuration in the ui5.yaml
  245. // See: https://github.com/SAP/openui5/commit/ff127fd2d009162ea43ad312dec99d759ebc23a0
  246. if (projectName === "sap.ui.core") {
  247. // Instead of checking the sap.ui.core library version, the specVersion is checked against all versions
  248. // that have been defined for sap.ui.core before the bundle configuration has been introduced.
  249. // This is mainly to have an easier check without version parsing or using semver.
  250. // If no project/specVersion is available, the bundles should also be created to not break potential
  251. // existing use cases without a properly formed/formatted project tree.
  252. if (!taskUtil || taskUtil.getProject().getSpecVersion().lte("2.0")) {
  253. const isEvo = resources.find((resource) => {
  254. return resource.getPath() === "/resources/ui5loader.js";
  255. });
  256. let unoptimizedModuleNameMapping;
  257. let unoptimizedResources = resources;
  258. if (taskUtil) {
  259. const unoptimizedWorkspace = taskUtil.resourceFactory.createFilterReader({
  260. reader: workspace,
  261. callback: function(resource) {
  262. // Remove any non-debug variants
  263. return !taskUtil.getTag(resource, taskUtil.STANDARD_TAGS.HasDebugVariant);
  264. }
  265. });
  266. unoptimizedResources =
  267. await unoptimizedWorkspace.byGlob("/**/*.{js,json,xml,html,properties,library,js.map}");
  268. unoptimizedModuleNameMapping = createModuleNameMapping({
  269. resources: unoptimizedResources,
  270. taskUtil
  271. });
  272. }
  273. let filters;
  274. if (isEvo) {
  275. filters = ["ui5loader-autoconfig.js"];
  276. } else {
  277. filters = ["jquery.sap.global.js"];
  278. }
  279. p = Promise.all([
  280. execModuleBundlerIfNeeded({
  281. options: getModuleBundlerOptions({name: "sap-ui-core.js", filters, preload: true}),
  282. resources
  283. }),
  284. execModuleBundlerIfNeeded({
  285. options: getModuleBundlerOptions({
  286. name: "sap-ui-core-dbg.js", filters, preload: false,
  287. moduleNameMapping: unoptimizedModuleNameMapping
  288. }),
  289. resources: unoptimizedResources
  290. }),
  291. execModuleBundlerIfNeeded({
  292. options: getModuleBundlerOptions({
  293. name: "sap-ui-core-nojQuery.js", filters, preload: true, provided: true
  294. }),
  295. resources
  296. }),
  297. execModuleBundlerIfNeeded({
  298. options: getModuleBundlerOptions({
  299. name: "sap-ui-core-nojQuery-dbg.js", filters, preload: false, provided: true,
  300. moduleNameMapping: unoptimizedModuleNameMapping
  301. }),
  302. resources: unoptimizedResources
  303. }),
  304. ]).then((results) => {
  305. const bundles = Array.prototype.concat.apply([], results).filter(Boolean);
  306. return Promise.all(bundles.map(({bundle, sourceMap}) => {
  307. if (taskUtil) {
  308. taskUtil.setTag(bundle, taskUtil.STANDARD_TAGS.IsBundle);
  309. if (sourceMap) {
  310. // Clear tag that might have been set by the minify task, in cases where
  311. // the bundle name is identical to a source file
  312. taskUtil.clearTag(sourceMap, taskUtil.STANDARD_TAGS.OmitFromBuildResult);
  313. }
  314. }
  315. const writes = [workspace.write(bundle)];
  316. if (sourceMap) {
  317. writes.push(workspace.write(sourceMap));
  318. }
  319. return Promise.all(writes);
  320. }));
  321. });
  322. }
  323. }
  324. return p.then(() => {
  325. return workspace.byGlob("/resources/**/.library").then((libraryIndicatorResources) => {
  326. if (libraryIndicatorResources.length > 0) {
  327. return libraryIndicatorResources;
  328. } else {
  329. // Fallback to "library.js" as library indicator
  330. log.verbose(
  331. `Could not find a ".library" file for project ${projectName}, ` +
  332. `falling back to "library.js".`);
  333. return workspace.byGlob("/resources/**/library.js");
  334. }
  335. }).then((libraryIndicatorResources) => {
  336. if (libraryIndicatorResources.length < 1) {
  337. // No library found - nothing to do
  338. log.verbose(
  339. `Could not find a ".library" or "library.js" file for project ${projectName}. ` +
  340. `Skipping library preload bundling.`);
  341. return;
  342. }
  343. return Promise.all(libraryIndicatorResources.map(async (libraryIndicatorResource) => {
  344. // Determine library namespace from library indicator file path
  345. // ending with either ".library" or "library.js" (see fallback logic above)
  346. // e.g. /resources/sap/foo/.library => sap/foo
  347. // /resources/sap/bar/library.js => sap/bar
  348. const libraryNamespacePattern = /^\/resources\/(.*)\/(?:\.library|library\.js)$/;
  349. const libraryIndicatorPath = libraryIndicatorResource.getPath();
  350. const libraryNamespaceMatch = libraryIndicatorPath.match(libraryNamespacePattern);
  351. if (libraryNamespaceMatch && libraryNamespaceMatch[1]) {
  352. const libraryNamespace = libraryNamespaceMatch[1];
  353. const results = await Promise.all([
  354. execModuleBundlerIfNeeded({
  355. options: {
  356. bundleDefinition: getBundleDefinition(libraryNamespace, excludes),
  357. bundleOptions: {
  358. optimize: true,
  359. usePredefineCalls: true,
  360. ignoreMissingModules: true
  361. }
  362. },
  363. resources
  364. }),
  365. execModuleBundlerIfNeeded({
  366. options: {
  367. bundleDefinition: getDesigntimeBundleDefinition(libraryNamespace),
  368. bundleOptions: {
  369. optimize: true,
  370. usePredefineCalls: true,
  371. ignoreMissingModules: true,
  372. skipIfEmpty: true
  373. }
  374. },
  375. resources
  376. }),
  377. execModuleBundlerIfNeeded({
  378. options: {
  379. bundleDefinition: getSupportFilesBundleDefinition(libraryNamespace),
  380. bundleOptions: {
  381. optimize: false,
  382. usePredefineCalls: true,
  383. ignoreMissingModules: true,
  384. skipIfEmpty: true
  385. }
  386. // Note: Although the bundle uses optimize=false, there is
  387. // no moduleNameMapping needed, as support files are excluded from minification.
  388. },
  389. resources
  390. })
  391. ]);
  392. const bundles = Array.prototype.concat.apply([], results).filter(Boolean);
  393. return Promise.all(bundles.map(({bundle, sourceMap} = {}) => {
  394. if (bundle) {
  395. if (taskUtil) {
  396. taskUtil.setTag(bundle, taskUtil.STANDARD_TAGS.IsBundle);
  397. if (sourceMap) {
  398. // Clear tag that might have been set by the minify task, in cases where
  399. // the bundle name is identical to a source file
  400. taskUtil.clearTag(sourceMap,
  401. taskUtil.STANDARD_TAGS.OmitFromBuildResult);
  402. }
  403. }
  404. const writes = [workspace.write(bundle)];
  405. if (sourceMap) {
  406. writes.push(workspace.write(sourceMap));
  407. }
  408. return Promise.all(writes);
  409. }
  410. }));
  411. } else {
  412. log.verbose(
  413. `Could not determine library namespace from file "${libraryIndicatorPath}" ` +
  414. `for project ${projectName}. Skipping library preload bundling.`);
  415. return Promise.resolve();
  416. }
  417. }));
  418. });
  419. });
  420. });
  421. }