builder/lib/processors/minifier.js

  1. import {fileURLToPath} from "node:url";
  2. import posixPath from "node:path/posix";
  3. import {promisify} from "node:util";
  4. import os from "node:os";
  5. import workerpool from "workerpool";
  6. import Resource from "@ui5/fs/Resource";
  7. import {getLogger} from "@ui5/logger";
  8. const log = getLogger("builder:processors:minifier");
  9. import {setTimeout as setTimeoutPromise} from "node:timers/promises";
  10. const debugFileRegex = /((?:\.view|\.fragment|\.controller|\.designtime|\.support)?\.js)$/;
  11. const MIN_WORKERS = 2;
  12. const MAX_WORKERS = 4;
  13. const osCpus = os.cpus().length || 1;
  14. const maxWorkers = Math.max(Math.min(osCpus - 1, MAX_WORKERS), MIN_WORKERS);
  15. const sourceMappingUrlPattern = /\/\/# sourceMappingURL=(\S+)\s*$/;
  16. const httpPattern = /^https?:\/\//i;
  17. // Shared workerpool across all executions until the taskUtil cleanup is triggered
  18. let pool;
  19. function getPool(taskUtil) {
  20. if (!pool) {
  21. log.verbose(`Creating workerpool with up to ${maxWorkers} workers (available CPU cores: ${osCpus})`);
  22. const workerPath = fileURLToPath(new URL("./minifierWorker.js", import.meta.url));
  23. pool = workerpool.pool(workerPath, {
  24. workerType: "auto",
  25. maxWorkers
  26. });
  27. taskUtil.registerCleanupTask((force) => {
  28. const attemptPoolTermination = async () => {
  29. log.verbose(`Attempt to terminate the workerpool...`);
  30. if (!pool) {
  31. return;
  32. }
  33. // There are many stats that could be used, but these ones seem the most
  34. // convenient. When all the (available) workers are idle, then it's safe to terminate.
  35. let {idleWorkers, totalWorkers} = pool.stats();
  36. while (idleWorkers !== totalWorkers && !force) {
  37. await setTimeoutPromise(100); // Wait a bit workers to finish and try again
  38. ({idleWorkers, totalWorkers} = pool.stats());
  39. }
  40. const poolToBeTerminated = pool;
  41. pool = null;
  42. return poolToBeTerminated.terminate(force);
  43. };
  44. return attemptPoolTermination();
  45. });
  46. }
  47. return pool;
  48. }
  49. async function minifyInWorker(options, taskUtil) {
  50. return getPool(taskUtil).exec("execMinification", [options]);
  51. }
  52. async function extractAndRemoveSourceMappingUrl(resource) {
  53. const resourceContent = await resource.getString();
  54. const resourcePath = resource.getPath();
  55. const sourceMappingUrlMatch = resourceContent.match(sourceMappingUrlPattern);
  56. if (sourceMappingUrlMatch) {
  57. const sourceMappingUrl = sourceMappingUrlMatch[1];
  58. if (log.isLevelEnabled("silly")) {
  59. log.silly(`Found source map reference in content of resource ${resourcePath}: ${sourceMappingUrl}`);
  60. }
  61. // Strip sourceMappingURL from the resource to be minified
  62. // It is not required anymore and will be replaced for in the minified resource
  63. // and its debug variant anyways
  64. resource.setString(resourceContent.replace(sourceMappingUrlPattern, ""));
  65. return sourceMappingUrl;
  66. }
  67. return null;
  68. }
  69. async function getSourceMapFromUrl({sourceMappingUrl, resourcePath, readFile}) {
  70. // =======================================================================
  71. // This code is almost identical to code located in lbt/bundle/Builder.js
  72. // Please try to update both places when making changes
  73. // =======================================================================
  74. if (sourceMappingUrl.startsWith("data:")) {
  75. // Data-URI indicates an inline source map
  76. const expectedTypeAndEncoding = "data:application/json;charset=utf-8;base64,";
  77. if (sourceMappingUrl.startsWith(expectedTypeAndEncoding)) {
  78. const base64Content = sourceMappingUrl.slice(expectedTypeAndEncoding.length);
  79. // Create a resource with a path suggesting it's the source map for the resource
  80. // (which it is but inlined)
  81. return Buffer.from(base64Content, "base64").toString();
  82. } else {
  83. log.warn(
  84. `Source map reference in resource ${resourcePath} is a data URI but has an unexpected` +
  85. `encoding: ${sourceMappingUrl}. Expected it to start with ` +
  86. `"data:application/json;charset=utf-8;base64,"`);
  87. }
  88. } else if (httpPattern.test(sourceMappingUrl)) {
  89. log.warn(`Source map reference in resource ${resourcePath} is an absolute URL. ` +
  90. `Currently, only relative URLs are supported.`);
  91. } else if (posixPath.isAbsolute(sourceMappingUrl)) {
  92. log.warn(`Source map reference in resource ${resourcePath} is an absolute path. ` +
  93. `Currently, only relative paths are supported.`);
  94. } else {
  95. const sourceMapPath = posixPath.join(posixPath.dirname(resourcePath), sourceMappingUrl);
  96. try {
  97. const sourceMapContent = await readFile(sourceMapPath);
  98. return sourceMapContent.toString();
  99. } catch (e) {
  100. // No input source map
  101. log.warn(`Unable to read source map for resource ${resourcePath}: ${e.message}`);
  102. }
  103. }
  104. }
  105. /**
  106. * @public
  107. * @module @ui5/builder/processors/minifier
  108. */
  109. /**
  110. * Result set
  111. *
  112. * @public
  113. * @typedef {object} MinifierResult
  114. * @property {@ui5/fs/Resource} resource Minified resource
  115. * @property {@ui5/fs/Resource} dbgResource Debug (non-minified) variant
  116. * @property {@ui5/fs/Resource} sourceMap Source Map
  117. */
  118. /**
  119. * Minifies the supplied resources.
  120. *
  121. * @public
  122. * @function default
  123. * @static
  124. *
  125. * @param {object} parameters Parameters
  126. * @param {@ui5/fs/Resource[]} parameters.resources List of resources to be processed
  127. * @param {fs|module:@ui5/fs/fsInterface} parameters.fs Node fs or custom
  128. * [fs interface]{@link module:@ui5/fs/fsInterface}. Required when setting "readSourceMappingUrl" to true
  129. * @param {@ui5/builder/tasks/TaskUtil|object} [parameters.taskUtil] TaskUtil instance.
  130. * Required when using the <code>useWorkers</code> option
  131. * @param {object} [parameters.options] Options
  132. * @param {boolean} [parameters.options.readSourceMappingUrl=false]
  133. * Whether to make use of any existing source maps referenced in the resources to be minified. Use this option to
  134. * preserve references to the original source files, such as TypeScript files, in the generated source map.<br>
  135. * If a resource has been modified by a previous task, any existing source map will be ignored regardless of this
  136. * setting. This is to ensure that no inconsistent source maps are used. Check the verbose log for details.
  137. * @param {boolean} [parameters.options.addSourceMappingUrl=true]
  138. * Whether to add a sourceMappingURL reference to the end of the minified resource
  139. * @param {boolean} [parameters.options.useWorkers=false]
  140. * Whether to offload the minification task onto separate CPU threads. This often speeds up the build process
  141. * @returns {Promise<module:@ui5/builder/processors/minifier~MinifierResult[]>}
  142. * Promise resolving with object of resource, dbgResource and sourceMap
  143. */
  144. export default async function({
  145. resources, fs, taskUtil, options: {readSourceMappingUrl = false, addSourceMappingUrl = true, useWorkers = false
  146. } = {}}) {
  147. let minify;
  148. if (readSourceMappingUrl && !fs) {
  149. throw new Error(`Option 'readSourceMappingUrl' requires parameter 'fs' to be provided`);
  150. }
  151. if (useWorkers) {
  152. if (!taskUtil) {
  153. // TaskUtil is required for worker support
  154. throw new Error(`Minifier: Option 'useWorkers' requires a taskUtil instance to be provided`);
  155. }
  156. minify = minifyInWorker;
  157. } else {
  158. // Do not use workerpool
  159. minify = (await import("./minifierWorker.js")).default;
  160. }
  161. return Promise.all(resources.map(async (resource) => {
  162. const resourcePath = resource.getPath();
  163. const dbgPath = resourcePath.replace(debugFileRegex, "-dbg$1");
  164. const dbgFilename = posixPath.basename(dbgPath);
  165. const filename = posixPath.basename(resource.getPath());
  166. const sourceMapOptions = {
  167. filename
  168. };
  169. if (addSourceMappingUrl) {
  170. sourceMapOptions.url = filename + ".map";
  171. }
  172. // Remember contentModified flag before making changes to the resource via setString
  173. const resourceContentModified = resource.getSourceMetadata()?.contentModified;
  174. // In any case: Extract *and remove* source map reference from resource before cloning it
  175. const sourceMappingUrl = await extractAndRemoveSourceMappingUrl(resource);
  176. const code = await resource.getString();
  177. // Create debug variant based off the original resource before minification
  178. const dbgResource = await resource.clone();
  179. dbgResource.setPath(dbgPath);
  180. let dbgSourceMapResource;
  181. if (sourceMappingUrl) {
  182. if (resourceContentModified) {
  183. log.verbose(
  184. `Source map found in resource will be ignored because the resource has been ` +
  185. `modified in a previous task: ${resourcePath}`);
  186. } else if (readSourceMappingUrl) {
  187. // Try to find a source map reference in the to-be-minified resource
  188. // If we find one, provide it to terser as an input source map and keep using it for the
  189. // debug variant of the resource
  190. const sourceMapContent = await getSourceMapFromUrl({
  191. sourceMappingUrl,
  192. resourcePath,
  193. readFile: promisify(fs.readFile)
  194. });
  195. if (sourceMapContent) {
  196. const sourceMapJson = JSON.parse(sourceMapContent);
  197. if (sourceMapJson.sections) {
  198. // TODO 4.0
  199. // Module "@jridgewell/trace-mapping" (used by Terser) can't handle index map sections lacking
  200. // a "names" array. Since this is a common occurrence for UI5 Tooling bundles, we search for
  201. // such cases here and fix them until https://github.com/jridgewell/trace-mapping/pull/29 is
  202. // resolved and Terser upgraded the dependency
  203. // Create a dedicated clone before modifying the source map as to not alter the debug source map
  204. const clonedSourceMapJson = JSON.parse(sourceMapContent);
  205. clonedSourceMapJson.sections.forEach(({map}) => {
  206. if (!map.names) {
  207. // Add missing names array
  208. map.names = [];
  209. }
  210. });
  211. // Use modified source map as input source map
  212. sourceMapOptions.content = JSON.stringify(clonedSourceMapJson);
  213. } else {
  214. // Provide source map to terser as "input source map"
  215. sourceMapOptions.content = sourceMapContent;
  216. }
  217. // Use the original source map for the debug variant of the resource
  218. // First update the file reference within the source map
  219. sourceMapJson.file = dbgFilename;
  220. // Then create a new resource
  221. dbgSourceMapResource = new Resource({
  222. string: JSON.stringify(sourceMapJson),
  223. path: dbgPath + ".map"
  224. });
  225. // And reference the resource in the debug resource
  226. dbgResource.setString(code + `//# sourceMappingURL=${dbgFilename}.map\n`);
  227. }
  228. } else {
  229. // If the original resource content was unmodified and the input source map was not parsed,
  230. // re-add the original source map reference to the debug variant
  231. if (!sourceMappingUrl.startsWith("data:") && !sourceMappingUrl.endsWith(filename + ".map")) {
  232. // Do not re-add inline source maps as well as references to the source map of
  233. // the minified resource
  234. dbgResource.setString(code + `//# sourceMappingURL=${sourceMappingUrl}\n`);
  235. }
  236. }
  237. }
  238. const result = await minify({
  239. filename,
  240. dbgFilename,
  241. code,
  242. sourceMapOptions
  243. }, taskUtil);
  244. resource.setString(result.code);
  245. const sourceMapResource = new Resource({
  246. path: resource.getPath() + ".map",
  247. string: result.map
  248. });
  249. return {resource, dbgResource, sourceMapResource, dbgSourceMapResource};
  250. }));
  251. }
  252. export const __localFunctions__ = (process.env.NODE_ENV === "test") ?
  253. {getSourceMapFromUrl} : undefined;