builder/lib/tasks/buildThemes.js

  1. import path from "node:path";
  2. import fsInterface from "@ui5/fs/fsInterface";
  3. import ReaderCollectionPrioritized from "@ui5/fs/ReaderCollectionPrioritized";
  4. import {getLogger} from "@ui5/logger";
  5. const log = getLogger("builder:tasks:buildThemes");
  6. import {fileURLToPath} from "node:url";
  7. import os from "node:os";
  8. import workerpool from "workerpool";
  9. import {deserializeResources, serializeResources, FsMainThreadInterface} from "../processors/themeBuilderWorker.js";
  10. import {setTimeout as setTimeoutPromise} from "node:timers/promises";
  11. let pool;
  12. function getPool(taskUtil) {
  13. if (!pool) {
  14. const MIN_WORKERS = 2;
  15. const MAX_WORKERS = 4;
  16. const osCpus = os.cpus().length || 1;
  17. const maxWorkers = Math.max(Math.min(osCpus - 1, MAX_WORKERS), MIN_WORKERS);
  18. log.verbose(`Creating workerpool with up to ${maxWorkers} workers (available CPU cores: ${osCpus})`);
  19. const workerPath = fileURLToPath(new URL("../processors/themeBuilderWorker.js", import.meta.url));
  20. pool = workerpool.pool(workerPath, {
  21. workerType: "thread",
  22. maxWorkers
  23. });
  24. taskUtil.registerCleanupTask((force) => {
  25. const attemptPoolTermination = async () => {
  26. log.verbose(`Attempt to terminate the workerpool...`);
  27. if (!pool) {
  28. return;
  29. }
  30. // There are many stats that could be used, but these ones seem the most
  31. // convenient. When all the (available) workers are idle, then it's safe to terminate.
  32. let {idleWorkers, totalWorkers} = pool.stats();
  33. while (idleWorkers !== totalWorkers && !force) {
  34. await setTimeoutPromise(100); // Wait a bit workers to finish and try again
  35. ({idleWorkers, totalWorkers} = pool.stats());
  36. }
  37. const poolToBeTerminated = pool;
  38. pool = null;
  39. return poolToBeTerminated.terminate(force);
  40. };
  41. return attemptPoolTermination();
  42. });
  43. }
  44. return pool;
  45. }
  46. async function buildThemeInWorker(taskUtil, options, transferList) {
  47. const toTransfer = transferList ? {transfer: transferList} : undefined;
  48. return getPool(taskUtil).exec("execThemeBuild", [options], toTransfer);
  49. }
  50. /**
  51. * @public
  52. * @module @ui5/builder/tasks/buildThemes
  53. */
  54. /**
  55. * Task to build a library theme.
  56. *
  57. * @public
  58. * @function default
  59. * @static
  60. *
  61. * @param {object} parameters Parameters
  62. * @param {@ui5/fs/DuplexCollection} parameters.workspace DuplexCollection to read and write files
  63. * @param {@ui5/fs/AbstractReader} parameters.dependencies Reader or Collection to read dependency files
  64. * @param {@ui5/builder/tasks/TaskUtil|object} [parameters.taskUtil] TaskUtil instance.
  65. * Required to run buildThemes in parallel execution mode.
  66. * @param {object} parameters.options Options
  67. * @param {string} parameters.options.projectName Project name
  68. * @param {string} parameters.options.inputPattern Search pattern for *.less files to be built
  69. * @param {string} [parameters.options.librariesPattern] Search pattern for .library files
  70. * @param {string} [parameters.options.themesPattern] Search pattern for sap.ui.core theme folders
  71. * @param {boolean} [parameters.options.compress=true]
  72. * @param {boolean} [parameters.options.cssVariables=false]
  73. * @returns {Promise<undefined>} Promise resolving with <code>undefined</code> once data has been written
  74. */
  75. export default async function({
  76. workspace, dependencies, taskUtil,
  77. options: {
  78. projectName, inputPattern, librariesPattern, themesPattern, compress,
  79. cssVariables
  80. }
  81. }) {
  82. const combo = new ReaderCollectionPrioritized({
  83. name: `theme - prioritize workspace over dependencies: ${projectName}`,
  84. readers: [workspace, dependencies]
  85. });
  86. compress = compress === undefined ? true : compress;
  87. const pThemeResources = workspace.byGlob(inputPattern);
  88. let pAvailableLibraries;
  89. let pAvailableThemes;
  90. if (librariesPattern) {
  91. // If a librariesPattern is given
  92. // we will use it to reduce the set of libraries a theme will be built for
  93. pAvailableLibraries = combo.byGlob(librariesPattern);
  94. }
  95. if (themesPattern) {
  96. // If a themesPattern is given
  97. // we will use it to reduce the set of themes that will be built
  98. pAvailableThemes = combo.byGlob(themesPattern, {nodir: false});
  99. }
  100. /* Don't try to build themes for libraries that are not available
  101. (maybe replace this with something more aware of which dependencies are optional and therefore
  102. legitimately missing and which not (fault case))
  103. */
  104. let availableLibraries;
  105. if (pAvailableLibraries) {
  106. availableLibraries = [];
  107. (await pAvailableLibraries).forEach((resource) => {
  108. const library = path.dirname(resource.getPath());
  109. if (!availableLibraries.includes(library)) {
  110. availableLibraries.push(library);
  111. }
  112. });
  113. }
  114. let availableThemes;
  115. if (pAvailableThemes) {
  116. availableThemes = (await pAvailableThemes)
  117. .filter((resource) => resource.getStatInfo().isDirectory())
  118. .map((resource) => {
  119. return path.basename(resource.getPath());
  120. });
  121. }
  122. let themeResources = await pThemeResources;
  123. const isAvailable = function(resource) {
  124. let libraryAvailable = false;
  125. let themeAvailable = false;
  126. const resourcePath = resource.getPath();
  127. const themeName = path.basename(path.dirname(resourcePath));
  128. if (!availableLibraries || availableLibraries.length === 0) {
  129. libraryAvailable = true; // If no libraries are found, build themes for all libraries
  130. } else {
  131. for (let i = availableLibraries.length - 1; i >= 0; i--) {
  132. if (resourcePath.startsWith(availableLibraries[i])) {
  133. libraryAvailable = true;
  134. }
  135. }
  136. }
  137. if (!availableThemes || availableThemes.length === 0) {
  138. themeAvailable = true; // If no themes are found, build all themes
  139. } else {
  140. themeAvailable = availableThemes.includes(themeName);
  141. }
  142. if (log.isLevelEnabled("verbose")) {
  143. if (!libraryAvailable) {
  144. log.silly(`Skipping ${resourcePath}: Library is not available`);
  145. }
  146. if (!themeAvailable) {
  147. log.verbose(`Skipping ${resourcePath}: sap.ui.core theme '${themeName}' is not available. ` +
  148. "If you experience missing themes, check whether you have added the corresponding theme " +
  149. "library to your projects dependencies and make sure that your custom themes contain " +
  150. "resources for the sap.ui.core namespace.");
  151. }
  152. }
  153. // Only build if library and theme are available
  154. return libraryAvailable && themeAvailable;
  155. };
  156. if (availableLibraries || availableThemes) {
  157. if (log.isLevelEnabled("verbose")) {
  158. log.verbose("Filtering themes to be built:");
  159. if (availableLibraries) {
  160. log.verbose(`Available libraries: ${availableLibraries.join(", ")}`);
  161. }
  162. if (availableThemes) {
  163. log.verbose(`Available sap.ui.core themes: ${availableThemes.join(", ")}`);
  164. }
  165. }
  166. themeResources = themeResources.filter(isAvailable);
  167. }
  168. let processedResources;
  169. const useWorkers = !!taskUtil;
  170. if (useWorkers) {
  171. const threadMessageHandler = new FsMainThreadInterface(fsInterface(combo));
  172. processedResources = await Promise.all(themeResources.map(async (themeRes) => {
  173. const {port1, port2} = new MessageChannel();
  174. threadMessageHandler.startCommunication(port1);
  175. const result = await buildThemeInWorker(taskUtil, {
  176. fsInterfacePort: port2,
  177. themeResources: await serializeResources([themeRes]),
  178. options: {
  179. compress,
  180. cssVariables: !!cssVariables,
  181. },
  182. }, [port2]);
  183. threadMessageHandler.endCommunication(port1);
  184. return result;
  185. }))
  186. .then((resources) => Array.prototype.concat.apply([], resources))
  187. .then(deserializeResources);
  188. threadMessageHandler.cleanup();
  189. } else {
  190. // Do not use workerpool
  191. const themeBuilder = (await import("../processors/themeBuilder.js")).default;
  192. processedResources = await themeBuilder({
  193. resources: themeResources,
  194. fs: fsInterface(combo),
  195. options: {
  196. compress,
  197. cssVariables: !!cssVariables,
  198. }
  199. });
  200. }
  201. await Promise.all(processedResources.map((resource) => {
  202. return workspace.write(resource);
  203. }));
  204. }