project/lib/build/ProjectBuilder.js

  1. import {rimraf} from "rimraf";
  2. import * as resourceFactory from "@ui5/fs/resourceFactory";
  3. import BuildLogger from "@ui5/logger/internal/loggers/Build";
  4. import composeProjectList from "./helpers/composeProjectList.js";
  5. import BuildContext from "./helpers/BuildContext.js";
  6. import prettyHrtime from "pretty-hrtime";
  7. import OutputStyleEnum from "./helpers/ProjectBuilderOutputStyle.js";
  8. /**
  9. * @public
  10. * @class
  11. * @alias @ui5/project/build/ProjectBuilder
  12. */
  13. class ProjectBuilder {
  14. #log;
  15. /**
  16. * Build Configuration
  17. *
  18. * @public
  19. * @typedef {object} @ui5/project/build/ProjectBuilder~BuildConfiguration
  20. * @property {boolean} [selfContained=false] Flag to activate self contained build
  21. * @property {boolean} [cssVariables=false] Flag to activate CSS variables generation
  22. * @property {boolean} [jsdoc=false] Flag to activate JSDoc build
  23. * @property {boolean} [createBuildManifest=false]
  24. * Whether to create a build manifest file for the root project.
  25. * This is currently only supported for projects of type 'library' and 'theme-library'
  26. * No other dependencies can be included in the build result.
  27. * @property {module:@ui5/project/build/ProjectBuilderOutputStyle} [outputStyle=Default]
  28. * Processes build results into a specific directory structure.
  29. * @property {Array.<string>} [includedTasks=[]] List of tasks to be included
  30. * @property {Array.<string>} [excludedTasks=[]] List of tasks to be excluded.
  31. * If the wildcard '*' is provided, only the included tasks will be executed.
  32. */
  33. /**
  34. * As an alternative to providing plain lists of names of dependencies to include and exclude, you can provide a
  35. * more complex "Dependency Includes" object to define which dependencies should be part of the build result.
  36. * <br>
  37. * This information is then used to compile lists of <code>includedDependencies</code> and
  38. * <code>excludedDependencies</code>, which are applied during the build process.
  39. * <br><br>
  40. * Regular expression-parameters are directly applied to a list of all project dependencies
  41. * so that they don't need to be evaluated in later processing steps.
  42. * <br><br>
  43. * Generally, includes are handled with a higher priority than excludes. Additionally, operations for processing
  44. * transitive dependencies are handled with a lower priority than explicitly mentioned dependencies. The "default"
  45. * dependency-includes are appended at the end.
  46. * <br><br>
  47. * The priority of the various dependency lists is applied in the following order.
  48. * Note that a later exclude can't overrule an earlier include.
  49. * <br>
  50. * <ol>
  51. * <li><code>includeDependency</code>, <code>includeDependencyRegExp</code></li>
  52. * <li><code>excludeDependency</code>, <code>excludeDependencyRegExp</code></li>
  53. * <li><code>includeDependencyTree</code></li>
  54. * <li><code>excludeDependencyTree</code></li>
  55. * <li><code>defaultIncludeDependency</code>, <code>defaultIncludeDependencyRegExp</code>,
  56. * <code>defaultIncludeDependencyTree</code></li>
  57. * </ol>
  58. *
  59. * @public
  60. * @typedef {object} @ui5/project/build/ProjectBuilder~DependencyIncludes
  61. * @property {boolean} includeAllDependencies
  62. * Whether all dependencies should be part of the build result
  63. * This parameter has the lowest priority and basically includes all remaining (not excluded) projects as include
  64. * @property {string[]} includeDependency
  65. * The dependencies to be considered in <code>includedDependencies</code>; the
  66. * <code>*</code> character can be used as wildcard for all dependencies and
  67. * is an alias for the CLI option <code>--all</code>
  68. * @property {string[]} includeDependencyRegExp
  69. * Strings which are interpreted as regular expressions
  70. * to describe the selection of dependencies to be considered in <code>includedDependencies</code>
  71. * @property {string[]} includeDependencyTree
  72. * The dependencies to be considered in <code>includedDependencies</code>;
  73. * transitive dependencies are also appended
  74. * @property {string[]} excludeDependency
  75. * The dependencies to be considered in <code>excludedDependencies</code>
  76. * @property {string[]} excludeDependencyRegExp
  77. * Strings which are interpreted as regular expressions
  78. * to describe the selection of dependencies to be considered in <code>excludedDependencies</code>
  79. * @property {string[]} excludeDependencyTree
  80. * The dependencies to be considered in <code>excludedDependencies</code>;
  81. * transitive dependencies are also appended
  82. * @property {string[]} defaultIncludeDependency
  83. * Same as <code>includeDependency</code> parameter;
  84. * typically used in project build settings
  85. * @property {string[]} defaultIncludeDependencyRegExp
  86. * Same as <code>includeDependencyRegExp</code> parameter;
  87. * typically used in project build settings
  88. * @property {string[]} defaultIncludeDependencyTree
  89. * Same as <code>includeDependencyTree</code> parameter;
  90. * typically used in project build settings
  91. */
  92. /**
  93. * Executes a project build, including all necessary or requested dependencies
  94. *
  95. * @public
  96. * @param {object} parameters
  97. * @param {@ui5/project/graph/ProjectGraph} parameters.graph Project graph
  98. * @param {@ui5/project/build/ProjectBuilder~BuildConfiguration} [parameters.buildConfig] Build configuration
  99. * @param {@ui5/builder/tasks/taskRepository} parameters.taskRepository Task Repository module to use
  100. */
  101. constructor({graph, buildConfig, taskRepository}) {
  102. if (!graph) {
  103. throw new Error(`Missing parameter 'graph'`);
  104. }
  105. if (!taskRepository) {
  106. throw new Error(`Missing parameter 'taskRepository'`);
  107. }
  108. if (!graph.isSealed()) {
  109. throw new Error(
  110. `Can not build project graph with root node ${graph.getRoot().getName()}: Graph is not sealed`);
  111. }
  112. this._graph = graph;
  113. this._buildContext = new BuildContext(graph, taskRepository, buildConfig);
  114. this.#log = new BuildLogger("ProjectBuilder");
  115. }
  116. /**
  117. * Executes a project build, including all necessary or requested dependencies
  118. *
  119. * @public
  120. * @param {object} parameters Parameters
  121. * @param {string} parameters.destPath Target path
  122. * @param {boolean} [parameters.cleanDest=false] Decides whether project should clean the target path before build
  123. * @param {Array.<string|RegExp>} [parameters.includedDependencies=[]]
  124. * List of names of projects to include in the build result
  125. * If the wildcard '*' is provided, all dependencies will be included in the build result.
  126. * @param {Array.<string|RegExp>} [parameters.excludedDependencies=[]]
  127. * List of names of projects to exclude from the build result.
  128. * @param {@ui5/project/build/ProjectBuilder~DependencyIncludes} [parameters.dependencyIncludes]
  129. * Alternative to the <code>includedDependencies</code> and <code>excludedDependencies</code> parameters.
  130. * Allows for a more sophisticated configuration for defining which dependencies should be
  131. * part of the build result. If this is provided, the other mentioned parameters are ignored.
  132. * @returns {Promise} Promise resolving once the build has finished
  133. */
  134. async build({
  135. destPath, cleanDest = false,
  136. includedDependencies = [], excludedDependencies = [],
  137. dependencyIncludes
  138. }) {
  139. if (!destPath) {
  140. throw new Error(`Missing parameter 'destPath'`);
  141. }
  142. if (dependencyIncludes) {
  143. if (includedDependencies.length || excludedDependencies.length) {
  144. throw new Error(
  145. "Parameter 'dependencyIncludes' can't be used in conjunction " +
  146. "with parameters 'includedDependencies' or 'excludedDependencies");
  147. }
  148. }
  149. const rootProjectName = this._graph.getRoot().getName();
  150. this.#log.info(`Preparing build for project ${rootProjectName}`);
  151. this.#log.info(` Target directory: ${destPath}`);
  152. // Get project filter function based on include/exclude params
  153. // (also logs some info to console)
  154. const filterProject = await this._getProjectFilter({
  155. explicitIncludes: includedDependencies,
  156. explicitExcludes: excludedDependencies,
  157. dependencyIncludes
  158. });
  159. // Count total number of projects to build based on input
  160. const requestedProjects = this._graph.getProjectNames().filter(function(projectName) {
  161. return filterProject(projectName);
  162. });
  163. if (requestedProjects.length > 1) {
  164. const {createBuildManifest} = this._buildContext.getBuildConfig();
  165. if (createBuildManifest) {
  166. throw new Error(
  167. `It is currently not supported to request the creation of a build manifest ` +
  168. `while including any dependencies into the build result`);
  169. }
  170. }
  171. const projectBuildContexts = await this._createRequiredBuildContexts(requestedProjects);
  172. const cleanupSigHooks = this._registerCleanupSigHooks();
  173. const fsTarget = resourceFactory.createAdapter({
  174. fsBasePath: destPath,
  175. virBasePath: "/"
  176. });
  177. const queue = [];
  178. const alreadyBuilt = [];
  179. // Create build queue based on graph depth-first search to ensure correct build order
  180. await this._graph.traverseDepthFirst(async ({project}) => {
  181. const projectName = project.getName();
  182. const projectBuildContext = projectBuildContexts.get(projectName);
  183. if (projectBuildContext) {
  184. // Build context exists
  185. // => This project needs to be built or, in case it has already
  186. // been built, it's build result needs to be written out (if requested)
  187. queue.push(projectBuildContext);
  188. if (!projectBuildContext.requiresBuild()) {
  189. alreadyBuilt.push(projectName);
  190. }
  191. }
  192. });
  193. this.#log.setProjects(queue.map((projectBuildContext) => {
  194. return projectBuildContext.getProject().getName();
  195. }));
  196. if (queue.length > 1) { // Do not log if only the root project is being built
  197. this.#log.info(`Processing ${queue.length} projects`);
  198. if (alreadyBuilt.length) {
  199. this.#log.info(` Reusing build results of ${alreadyBuilt.length} projects`);
  200. this.#log.info(` Building ${queue.length - alreadyBuilt.length} projects`);
  201. }
  202. if (this.#log.isLevelEnabled("verbose")) {
  203. this.#log.verbose(` Required projects:`);
  204. this.#log.verbose(` ${queue
  205. .map((projectBuildContext) => {
  206. const projectName = projectBuildContext.getProject().getName();
  207. let msg;
  208. if (alreadyBuilt.includes(projectName)) {
  209. const buildMetadata = projectBuildContext.getBuildMetadata();
  210. const ts = new Date(buildMetadata.timestamp).toUTCString();
  211. msg = `*> ${projectName} /// already built at ${ts}`;
  212. } else {
  213. msg = `=> ${projectName}`;
  214. }
  215. return msg;
  216. })
  217. .join("\n ")}`);
  218. }
  219. }
  220. if (cleanDest) {
  221. this.#log.info(`Cleaning target directory...`);
  222. await rimraf(destPath);
  223. }
  224. const startTime = process.hrtime();
  225. try {
  226. const pWrites = [];
  227. for (const projectBuildContext of queue) {
  228. const projectName = projectBuildContext.getProject().getName();
  229. const projectType = projectBuildContext.getProject().getType();
  230. this.#log.verbose(`Processing project ${projectName}...`);
  231. // Only build projects that are not already build (i.e. provide a matching build manifest)
  232. if (alreadyBuilt.includes(projectName)) {
  233. this.#log.skipProjectBuild(projectName, projectType);
  234. } else {
  235. this.#log.startProjectBuild(projectName, projectType);
  236. await projectBuildContext.getTaskRunner().runTasks();
  237. this.#log.endProjectBuild(projectName, projectType);
  238. }
  239. if (!requestedProjects.includes(projectName)) {
  240. // Project has not been requested
  241. // => Its resources shall not be part of the build result
  242. continue;
  243. }
  244. this.#log.verbose(`Writing out files...`);
  245. pWrites.push(this._writeResults(projectBuildContext, fsTarget));
  246. }
  247. await Promise.all(pWrites);
  248. this.#log.info(`Build succeeded in ${this._getElapsedTime(startTime)}`);
  249. } catch (err) {
  250. this.#log.error(`Build failed in ${this._getElapsedTime(startTime)}`);
  251. throw err;
  252. } finally {
  253. this._deregisterCleanupSigHooks(cleanupSigHooks);
  254. await this._executeCleanupTasks();
  255. }
  256. }
  257. async _createRequiredBuildContexts(requestedProjects) {
  258. const requiredProjects = new Set(this._graph.getProjectNames().filter((projectName) => {
  259. return requestedProjects.includes(projectName);
  260. }));
  261. const projectBuildContexts = new Map();
  262. for (const projectName of requiredProjects) {
  263. this.#log.verbose(`Creating build context for project ${projectName}...`);
  264. const projectBuildContext = this._buildContext.createProjectContext({
  265. project: this._graph.getProject(projectName)
  266. });
  267. projectBuildContexts.set(projectName, projectBuildContext);
  268. if (projectBuildContext.requiresBuild()) {
  269. const taskRunner = projectBuildContext.getTaskRunner();
  270. const requiredDependencies = await taskRunner.getRequiredDependencies();
  271. if (requiredDependencies.size === 0) {
  272. continue;
  273. }
  274. // This project needs to be built and required dependencies to be built as well
  275. this._graph.getDependencies(projectName).forEach((depName) => {
  276. if (projectBuildContexts.has(depName)) {
  277. // Build context already exists
  278. // => Dependency will be built
  279. return;
  280. }
  281. if (!requiredDependencies.has(depName)) {
  282. return;
  283. }
  284. // Add dependency to list of projects to build
  285. requiredProjects.add(depName);
  286. });
  287. }
  288. }
  289. return projectBuildContexts;
  290. }
  291. async _getProjectFilter({
  292. dependencyIncludes,
  293. explicitIncludes,
  294. explicitExcludes
  295. }) {
  296. const {includedDependencies, excludedDependencies} = await composeProjectList(
  297. this._graph,
  298. dependencyIncludes || {
  299. includeDependencyTree: explicitIncludes,
  300. excludeDependencyTree: explicitExcludes
  301. }
  302. );
  303. if (includedDependencies.length) {
  304. if (includedDependencies.length === this._graph.getSize() - 1) {
  305. this.#log.info(` Including all dependencies`);
  306. } else {
  307. this.#log.info(` Requested dependencies:`);
  308. this.#log.info(` + ${includedDependencies.join("\n + ")}`);
  309. }
  310. }
  311. if (excludedDependencies.length) {
  312. this.#log.info(` Excluded dependencies:`);
  313. this.#log.info(` - ${excludedDependencies.join("\n + ")}`);
  314. }
  315. const rootProjectName = this._graph.getRoot().getName();
  316. return function projectFilter(projectName) {
  317. function projectMatchesAny(deps) {
  318. return deps.some((dep) => dep instanceof RegExp ?
  319. dep.test(projectName) : dep === projectName);
  320. }
  321. if (projectName === rootProjectName) {
  322. // Always include the root project
  323. return true;
  324. }
  325. if (projectMatchesAny(excludedDependencies)) {
  326. return false;
  327. }
  328. if (includedDependencies.includes("*") || projectMatchesAny(includedDependencies)) {
  329. return true;
  330. }
  331. return false;
  332. };
  333. }
  334. async _writeResults(projectBuildContext, target) {
  335. const project = projectBuildContext.getProject();
  336. const taskUtil = projectBuildContext.getTaskUtil();
  337. const buildConfig = this._buildContext.getBuildConfig();
  338. const {createBuildManifest, outputStyle} = buildConfig;
  339. // Output styles are applied only for the root project
  340. const isRootProject = taskUtil.isRootProject();
  341. let readerStyle = "dist";
  342. if (createBuildManifest ||
  343. (isRootProject && outputStyle === OutputStyleEnum.Namespace && project.getType() === "application")) {
  344. // Ensure buildtime (=namespaced) style when writing with a build manifest or when explicitly requested
  345. readerStyle = "buildtime";
  346. } else if (isRootProject && outputStyle === OutputStyleEnum.Flat) {
  347. readerStyle = "flat";
  348. }
  349. const reader = project.getReader({
  350. style: readerStyle
  351. });
  352. const resources = await reader.byGlob("/**/*");
  353. if (createBuildManifest) {
  354. // Create and write a build manifest metadata file
  355. const {
  356. default: createBuildManifest
  357. } = await import("./helpers/createBuildManifest.js");
  358. const metadata = await createBuildManifest(project, buildConfig, this._buildContext.getTaskRepository());
  359. await target.write(resourceFactory.createResource({
  360. path: `/.ui5/build-manifest.json`,
  361. string: JSON.stringify(metadata, null, "\t")
  362. }));
  363. }
  364. await Promise.all(resources.map((resource) => {
  365. if (taskUtil.getTag(resource, taskUtil.STANDARD_TAGS.OmitFromBuildResult)) {
  366. this.#log.silly(`Skipping write of resource tagged as "OmitFromBuildResult": ` +
  367. resource.getPath());
  368. return; // Skip target write for this resource
  369. }
  370. return target.write(resource);
  371. }));
  372. if (isRootProject &&
  373. outputStyle === OutputStyleEnum.Flat &&
  374. project.getType() !== "application" /* application type is with a default flat build output structure */) {
  375. const namespace = project.getNamespace();
  376. const libraryResourcesPrefix = `/resources/${namespace}/`;
  377. const testResourcesPrefix = "/test-resources/";
  378. const namespacedRegex = new RegExp(`/(resources|test-resources)/${namespace}`);
  379. const processedResourcesSet = resources.reduce((acc, resource) => acc.add(resource.getPath()), new Set());
  380. // If outputStyle === "Flat", then the FlatReader would have filtered
  381. // some resources. We now need to get all of the available resources and
  382. // do an intersection with the processed/bundled ones.
  383. const defaultReader = project.getReader();
  384. const defaultResources = await defaultReader.byGlob("/**/*");
  385. const flatDefaultResources = defaultResources.map((resource) => ({
  386. flatResource: resource.getPath().replace(namespacedRegex, ""),
  387. originalPath: resource.getPath(),
  388. }));
  389. const skippedResources = flatDefaultResources.filter((resource) => {
  390. return processedResourcesSet.has(resource.flatResource) === false;
  391. });
  392. skippedResources.forEach((resource) => {
  393. if (resource.originalPath.startsWith(testResourcesPrefix)) {
  394. this.#log.verbose(
  395. `Omitting ${resource.originalPath} from build result. File is part of ${testResourcesPrefix}.`
  396. );
  397. } else if (!resource.originalPath.startsWith(libraryResourcesPrefix)) {
  398. this.#log.warn(
  399. `Omitting ${resource.originalPath} from build result. ` +
  400. `File is not within project namespace '${namespace}'.`
  401. );
  402. }
  403. });
  404. }
  405. }
  406. async _executeCleanupTasks(force) {
  407. this.#log.info("Executing cleanup tasks...");
  408. await this._buildContext.executeCleanupTasks(force);
  409. }
  410. _registerCleanupSigHooks() {
  411. const that = this;
  412. function createListener(exitCode) {
  413. return function() {
  414. // Asynchronously cleanup resources, then exit
  415. that._executeCleanupTasks(true).then(() => {
  416. process.exit(exitCode);
  417. });
  418. };
  419. }
  420. const processSignals = {
  421. "SIGHUP": createListener(128 + 1),
  422. "SIGINT": createListener(128 + 2),
  423. "SIGTERM": createListener(128 + 15),
  424. "SIGBREAK": createListener(128 + 21)
  425. };
  426. for (const signal of Object.keys(processSignals)) {
  427. process.on(signal, processSignals[signal]);
  428. }
  429. // TODO: Also cleanup for unhandled rejections and exceptions?
  430. // Add additional events like signals since they are registered on the process
  431. // event emitter in a similar fashion
  432. // processSignals["unhandledRejection"] = createListener(1);
  433. // process.once("unhandledRejection", processSignals["unhandledRejection"]);
  434. // processSignals["uncaughtException"] = function(err, origin) {
  435. // const fs = require("fs");
  436. // fs.writeSync(
  437. // process.stderr.fd,
  438. // `Caught exception: ${err}\n` +
  439. // `Exception origin: ${origin}`
  440. // );
  441. // createListener(1)();
  442. // };
  443. // process.once("uncaughtException", processSignals["uncaughtException"]);
  444. return processSignals;
  445. }
  446. _deregisterCleanupSigHooks(signals) {
  447. for (const signal of Object.keys(signals)) {
  448. process.removeListener(signal, signals[signal]);
  449. }
  450. }
  451. /**
  452. * Calculates the elapsed build time and returns a prettified output
  453. *
  454. * @private
  455. * @param {Array} startTime Array provided by <code>process.hrtime()</code>
  456. * @returns {string} Difference between now and the provided time array as formatted string
  457. */
  458. _getElapsedTime(startTime) {
  459. const timeDiff = process.hrtime(startTime);
  460. return prettyHrtime(timeDiff);
  461. }
  462. }
  463. export default ProjectBuilder;