project/lib/graph/ProjectGraph.js

  1. import OutputStyleEnum from "../build/helpers/ProjectBuilderOutputStyle.js";
  2. import {getLogger} from "@ui5/logger";
  3. const log = getLogger("graph:ProjectGraph");
  4. /**
  5. * A rooted, directed graph representing a UI5 project, its dependencies and available extensions.
  6. * <br><br>
  7. * While it allows defining cyclic dependencies, both traversal functions will throw an error if they encounter cycles.
  8. *
  9. * @public
  10. * @class
  11. * @alias @ui5/project/graph/ProjectGraph
  12. */
  13. class ProjectGraph {
  14. /**
  15. * @public
  16. * @param {object} parameters Parameters
  17. * @param {string} parameters.rootProjectName Root project name
  18. */
  19. constructor({rootProjectName}) {
  20. if (!rootProjectName) {
  21. throw new Error(`Could not create ProjectGraph: Missing or empty parameter 'rootProjectName'`);
  22. }
  23. this._rootProjectName = rootProjectName;
  24. this._projects = new Map(); // maps project name to instance (= nodes)
  25. this._adjList = new Map(); // maps project name to dependencies (= edges)
  26. this._optAdjList = new Map(); // maps project name to optional dependencies (= edges)
  27. this._extensions = new Map(); // maps extension name to instance
  28. this._sealed = false;
  29. this._hasUnresolvedOptionalDependencies = false; // Performance optimization flag
  30. this._taskRepository = null;
  31. }
  32. /**
  33. * Get the root project of the graph
  34. *
  35. * @public
  36. * @returns {@ui5/project/specifications/Project} Root project
  37. */
  38. getRoot() {
  39. const rootProject = this._projects.get(this._rootProjectName);
  40. if (!rootProject) {
  41. throw new Error(`Unable to find root project with name ${this._rootProjectName} in project graph`);
  42. }
  43. return rootProject;
  44. }
  45. /**
  46. * Add a project to the graph
  47. *
  48. * @public
  49. * @param {@ui5/project/specifications/Project} project Project which should be added to the graph
  50. */
  51. addProject(project) {
  52. this._checkSealed();
  53. const projectName = project.getName();
  54. if (this._projects.has(projectName)) {
  55. throw new Error(
  56. `Failed to add project ${projectName} to graph: A project with that name has already been added. ` +
  57. `This might be caused by multiple modules containing projects with the same name`);
  58. }
  59. if (!isNaN(projectName)) {
  60. // Reject integer-like project names. They would take precedence when traversing object keys which
  61. // could lead to unexpected behavior. We don't really expect anyone to use such names anyways
  62. throw new Error(
  63. `Failed to add project ${projectName} to graph: Project name must not be integer-like`);
  64. }
  65. log.verbose(`Adding project: ${projectName}`);
  66. this._projects.set(projectName, project);
  67. this._adjList.set(projectName, new Set());
  68. this._optAdjList.set(projectName, new Set());
  69. }
  70. /**
  71. * Retrieve a single project from the dependency graph
  72. *
  73. * @public
  74. * @param {string} projectName Name of the project to retrieve
  75. * @returns {@ui5/project/specifications/Project|undefined}
  76. * project instance or undefined if the project is unknown to the graph
  77. */
  78. getProject(projectName) {
  79. return this._projects.get(projectName);
  80. }
  81. /**
  82. * Get all projects in the graph
  83. *
  84. * @public
  85. * @returns {Iterable.<@ui5/project/specifications/Project>}
  86. */
  87. getProjects() {
  88. return this._projects.values();
  89. }
  90. /**
  91. * Get names of all projects in the graph
  92. *
  93. * @public
  94. * @returns {string[]} Names of all projects
  95. */
  96. getProjectNames() {
  97. return Array.from(this._projects.keys());
  98. }
  99. /**
  100. * Get the number of projects in the graph
  101. *
  102. * @public
  103. * @returns {integer} Count of projects in the graph
  104. */
  105. getSize() {
  106. return this._projects.size;
  107. }
  108. /**
  109. * Add an extension to the graph
  110. *
  111. * @public
  112. * @param {@ui5/project/specifications/Extension} extension Extension which should be available in the graph
  113. */
  114. addExtension(extension) {
  115. this._checkSealed();
  116. const extensionName = extension.getName();
  117. if (this._extensions.has(extensionName)) {
  118. throw new Error(
  119. `Failed to add extension ${extensionName} to graph: ` +
  120. `An extension with that name has already been added. ` +
  121. `This might be caused by multiple modules containing extensions with the same name`);
  122. }
  123. if (!isNaN(extensionName)) {
  124. // Reject integer-like extension names. They would take precedence when traversing object keys which
  125. // might lead to unexpected behavior in the future. We don't really expect anyone to use such names anyways
  126. throw new Error(
  127. `Failed to add extension ${extensionName} to graph: Extension name must not be integer-like`);
  128. }
  129. this._extensions.set(extensionName, extension);
  130. }
  131. /**
  132. * @public
  133. * @param {string} extensionName Name of the extension to retrieve
  134. * @returns {@ui5/project/specifications/Extension|undefined}
  135. * Extension instance or undefined if the extension is unknown to the graph
  136. */
  137. getExtension(extensionName) {
  138. return this._extensions.get(extensionName);
  139. }
  140. /**
  141. * Get all extensions in the graph
  142. *
  143. * @public
  144. * @returns {Iterable.<@ui5/project/specifications/Extension>}
  145. */
  146. getExtensions() {
  147. return this._extensions.values();
  148. }
  149. /**
  150. * Get names of all extensions in the graph
  151. *
  152. * @public
  153. * @returns {string[]} Names of all extensions
  154. */
  155. getExtensionNames() {
  156. return Array.from(this._extensions.keys());
  157. }
  158. /**
  159. * Declare a dependency from one project in the graph to another
  160. *
  161. * @public
  162. * @param {string} fromProjectName Name of the depending project
  163. * @param {string} toProjectName Name of project on which the other depends
  164. */
  165. declareDependency(fromProjectName, toProjectName) {
  166. this._checkSealed();
  167. try {
  168. log.verbose(`Declaring dependency: ${fromProjectName} depends on ${toProjectName}`);
  169. this._declareDependency(this._adjList, fromProjectName, toProjectName);
  170. } catch (err) {
  171. throw new Error(
  172. `Failed to declare dependency from project ${fromProjectName} to ${toProjectName}: ` +
  173. err.message);
  174. }
  175. }
  176. /**
  177. * Declare a dependency from one project in the graph to another
  178. *
  179. * @public
  180. * @param {string} fromProjectName Name of the depending project
  181. * @param {string} toProjectName Name of project on which the other depends
  182. */
  183. declareOptionalDependency(fromProjectName, toProjectName) {
  184. this._checkSealed();
  185. try {
  186. log.verbose(`Declaring optional dependency: ${fromProjectName} depends on ${toProjectName}`);
  187. this._declareDependency(this._optAdjList, fromProjectName, toProjectName);
  188. this._hasUnresolvedOptionalDependencies = true;
  189. } catch (err) {
  190. throw new Error(
  191. `Failed to declare optional dependency from project ${fromProjectName} to ${toProjectName}: ` +
  192. err.message);
  193. }
  194. }
  195. /**
  196. * Declare a dependency from one project in the graph to another
  197. *
  198. * @param {object} map Adjacency map to use
  199. * @param {string} fromProjectName Name of the depending project
  200. * @param {string} toProjectName Name of project on which the other depends
  201. */
  202. _declareDependency(map, fromProjectName, toProjectName) {
  203. if (!this._projects.has(fromProjectName)) {
  204. throw new Error(
  205. `Unable to find depending project with name ${fromProjectName} in project graph`);
  206. }
  207. if (!this._projects.has(toProjectName)) {
  208. throw new Error(
  209. `Unable to find dependency project with name ${toProjectName} in project graph`);
  210. }
  211. if (fromProjectName === toProjectName) {
  212. throw new Error(
  213. `A project can't depend on itself`);
  214. }
  215. const adjacencies = map.get(fromProjectName);
  216. if (adjacencies.has(toProjectName)) {
  217. log.warn(`Dependency has already been declared: ${fromProjectName} depends on ${toProjectName}`);
  218. } else {
  219. adjacencies.add(toProjectName);
  220. }
  221. }
  222. /**
  223. * Get all direct dependencies of a project as an array of project names
  224. *
  225. * @public
  226. * @param {string} projectName Name of the project to retrieve the dependencies of
  227. * @returns {string[]} Names of all direct dependencies
  228. */
  229. getDependencies(projectName) {
  230. const adjacencies = this._adjList.get(projectName);
  231. if (!adjacencies) {
  232. throw new Error(
  233. `Failed to get dependencies for project ${projectName}: ` +
  234. `Unable to find project in project graph`);
  235. }
  236. return Array.from(adjacencies);
  237. }
  238. /**
  239. * Get all (direct and transitive) dependencies of a project as an array of project names
  240. *
  241. * @public
  242. * @param {string} projectName Name of the project to retrieve the dependencies of
  243. * @returns {string[]} Names of all direct and transitive dependencies
  244. */
  245. getTransitiveDependencies(projectName) {
  246. const dependencies = new Set();
  247. if (!this._projects.has(projectName)) {
  248. throw new Error(
  249. `Failed to get transitive dependencies for project ${projectName}: ` +
  250. `Unable to find project in project graph`);
  251. }
  252. const processDependency = (depName) => {
  253. const adjacencies = this._adjList.get(depName);
  254. adjacencies.forEach((depName) => {
  255. if (!dependencies.has(depName)) {
  256. dependencies.add(depName);
  257. processDependency(depName);
  258. }
  259. });
  260. };
  261. processDependency(projectName);
  262. return Array.from(dependencies);
  263. }
  264. /**
  265. * Checks whether a dependency is optional or not.
  266. * Currently only used in tests.
  267. *
  268. * @private
  269. * @param {string} fromProjectName Name of the depending project
  270. * @param {string} toProjectName Name of project on which the other depends
  271. * @returns {boolean} True if the dependency is currently optional
  272. */
  273. isOptionalDependency(fromProjectName, toProjectName) {
  274. const adjacencies = this._adjList.get(fromProjectName);
  275. if (!adjacencies) {
  276. throw new Error(
  277. `Failed to determine whether dependency from ${fromProjectName} to ${toProjectName} ` +
  278. `is optional: ` +
  279. `Unable to find project with name ${fromProjectName} in project graph`);
  280. }
  281. if (adjacencies.has(toProjectName)) {
  282. return false;
  283. }
  284. const optAdjacencies = this._optAdjList.get(fromProjectName);
  285. if (optAdjacencies.has(toProjectName)) {
  286. return true;
  287. }
  288. return false;
  289. }
  290. /**
  291. * Transforms any optional dependencies declared in the graph to non-optional dependency, if the target
  292. * can already be reached from the root project.
  293. *
  294. * @public
  295. */
  296. async resolveOptionalDependencies() {
  297. this._checkSealed();
  298. if (!this._hasUnresolvedOptionalDependencies) {
  299. log.verbose(`Skipping resolution of optional dependencies since none have been declared`);
  300. return;
  301. }
  302. log.verbose(`Resolving optional dependencies...`);
  303. // First collect all projects that are currently reachable from the root project (=all non-optional projects)
  304. const resolvedProjects = new Set();
  305. await this.traverseBreadthFirst(({project}) => {
  306. resolvedProjects.add(project.getName());
  307. });
  308. let unresolvedOptDeps = false;
  309. for (const [fromProjectName, optDependencies] of this._optAdjList) {
  310. for (const toProjectName of optDependencies) {
  311. if (resolvedProjects.has(toProjectName)) {
  312. // Target node is already reachable in the graph
  313. // => Resolve optional dependency
  314. log.verbose(`Resolving optional dependency from ${fromProjectName} to ${toProjectName}...`);
  315. if (this._adjList.get(toProjectName).has(fromProjectName)) {
  316. log.verbose(
  317. ` Cyclic optional dependency detected: ${toProjectName} already has a non-optional ` +
  318. `dependency to ${fromProjectName}`);
  319. log.verbose(
  320. ` Optional dependency from ${fromProjectName} to ${toProjectName} ` +
  321. `will not be declared as it would introduce a cycle`);
  322. unresolvedOptDeps = true;
  323. } else {
  324. this.declareDependency(fromProjectName, toProjectName);
  325. // This optional dependency has now been resolved
  326. // => Remove it from the list of optional dependencies
  327. optDependencies.delete(toProjectName);
  328. }
  329. } else {
  330. unresolvedOptDeps = true;
  331. }
  332. }
  333. }
  334. if (!unresolvedOptDeps) {
  335. this._hasUnresolvedOptionalDependencies = false;
  336. }
  337. }
  338. /**
  339. * Callback for graph traversal operations
  340. *
  341. * @public
  342. * @async
  343. * @callback @ui5/project/graph/ProjectGraph~traversalCallback
  344. * @param {object} parameters Parameters passed to the callback
  345. * @param {@ui5/project/specifications/Project} parameters.project
  346. * Project that is currently visited
  347. * @param {string[]} parameters.dependencies
  348. * Array containing the names of all direct dependencies of the project
  349. * @returns {Promise|undefined} If a promise is returned,
  350. * graph traversal will wait and only continue once the promise has resolved.
  351. */
  352. /**
  353. * Visit every project in the graph that can be reached by the given entry project exactly once.
  354. * The entry project defaults to the root project.
  355. * In case a cycle is detected, an error is thrown
  356. *
  357. * @public
  358. * @param {string} [startName] Name of the project to start the traversal at. Defaults to the graph's root project
  359. * @param {@ui5/project/graph/ProjectGraph~traversalCallback} callback Will be called
  360. */
  361. async traverseBreadthFirst(startName, callback) {
  362. if (!callback) {
  363. // Default optional first parameter
  364. callback = startName;
  365. startName = this._rootProjectName;
  366. }
  367. if (!this.getProject(startName)) {
  368. throw new Error(`Failed to start graph traversal: Could not find project ${startName} in project graph`);
  369. }
  370. const queue = [{
  371. projectNames: [startName],
  372. ancestors: []
  373. }];
  374. const visited = Object.create(null);
  375. while (queue.length) {
  376. const {projectNames, ancestors} = queue.shift(); // Get and remove first entry from queue
  377. await Promise.all(projectNames.map(async (projectName) => {
  378. this._checkCycle(ancestors, projectName);
  379. if (visited[projectName]) {
  380. return visited[projectName];
  381. }
  382. return visited[projectName] = (async () => {
  383. const newAncestors = [...ancestors, projectName];
  384. const dependencies = this.getDependencies(projectName);
  385. queue.push({
  386. projectNames: dependencies,
  387. ancestors: newAncestors
  388. });
  389. await callback({
  390. project: this.getProject(projectName),
  391. dependencies
  392. });
  393. })();
  394. }));
  395. }
  396. }
  397. /**
  398. * Visit every project in the graph that can be reached by the given entry project exactly once.
  399. * The entry project defaults to the root project.
  400. * In case a cycle is detected, an error is thrown
  401. *
  402. * @public
  403. * @param {string} [startName] Name of the project to start the traversal at. Defaults to the graph's root project
  404. * @param {@ui5/project/graph/ProjectGraph~traversalCallback} callback Will be called
  405. */
  406. async traverseDepthFirst(startName, callback) {
  407. if (!callback) {
  408. // Default optional first parameter
  409. callback = startName;
  410. startName = this._rootProjectName;
  411. }
  412. if (!this.getProject(startName)) {
  413. throw new Error(`Failed to start graph traversal: Could not find project ${startName} in project graph`);
  414. }
  415. return this._traverseDepthFirst(startName, Object.create(null), [], callback);
  416. }
  417. async _traverseDepthFirst(projectName, visited, ancestors, callback) {
  418. this._checkCycle(ancestors, projectName);
  419. if (visited[projectName]) {
  420. return visited[projectName];
  421. }
  422. return visited[projectName] = (async () => {
  423. const newAncestors = [...ancestors, projectName];
  424. const dependencies = this.getDependencies(projectName);
  425. await Promise.all(dependencies.map((depName) => {
  426. return this._traverseDepthFirst(depName, visited, newAncestors, callback);
  427. }));
  428. await callback({
  429. project: this.getProject(projectName),
  430. dependencies
  431. });
  432. })();
  433. }
  434. /**
  435. * Join another project graph into this one.
  436. * Projects and extensions which already exist in this graph will cause an error to be thrown
  437. *
  438. * @public
  439. * @param {@ui5/project/graph/ProjectGraph} projectGraph Project Graph to merge into this one
  440. */
  441. join(projectGraph) {
  442. try {
  443. this._checkSealed();
  444. if (!projectGraph.isSealed()) {
  445. // Seal input graph to prevent further modification
  446. log.verbose(
  447. `Sealing project graph with root project ${projectGraph._rootProjectName} ` +
  448. `before joining it into project graph with root project ${this._rootProjectName}...`);
  449. projectGraph.seal();
  450. }
  451. mergeMap(this._projects, projectGraph._projects);
  452. mergeMap(this._extensions, projectGraph._extensions);
  453. mergeMap(this._adjList, projectGraph._adjList);
  454. mergeMap(this._optAdjList, projectGraph._optAdjList);
  455. this._hasUnresolvedOptionalDependencies =
  456. this._hasUnresolvedOptionalDependencies || projectGraph._hasUnresolvedOptionalDependencies;
  457. } catch (err) {
  458. throw new Error(
  459. `Failed to join project graph with root project ${projectGraph._rootProjectName} into ` +
  460. `project graph with root project ${this._rootProjectName}: ${err.message}`);
  461. }
  462. }
  463. // Only to be used by @ui5/builder tests to inject its version of the taskRepository
  464. setTaskRepository(taskRepository) {
  465. this._taskRepository = taskRepository;
  466. }
  467. async _getTaskRepository() {
  468. if (!this._taskRepository) {
  469. this._taskRepository = await import("@ui5/builder/internal/taskRepository");
  470. }
  471. return this._taskRepository;
  472. }
  473. /**
  474. * Executes a build on the graph
  475. *
  476. * @public
  477. * @param {object} parameters Build parameters
  478. * @param {string} parameters.destPath Target path
  479. * @param {boolean} [parameters.cleanDest=false] Decides whether project should clean the target path before build
  480. * @param {Array.<string|RegExp>} [parameters.includedDependencies=[]]
  481. * List of names of projects to include in the build result
  482. * If the wildcard '*' is provided, all dependencies will be included in the build result.
  483. * @param {Array.<string|RegExp>} [parameters.excludedDependencies=[]]
  484. * List of names of projects to exclude from the build result.
  485. * @param {@ui5/project/build/ProjectBuilder~DependencyIncludes} [parameters.dependencyIncludes]
  486. * Alternative to the <code>includedDependencies</code> and <code>excludedDependencies</code> parameters.
  487. * Allows for a more sophisticated configuration for defining which dependencies should be
  488. * part of the build result. If this is provided, the other mentioned parameters will be ignored.
  489. * @param {boolean} [parameters.selfContained=false] Flag to activate self contained build
  490. * @param {boolean} [parameters.cssVariables=false] Flag to activate CSS variables generation
  491. * @param {boolean} [parameters.jsdoc=false] Flag to activate JSDoc build
  492. * @param {boolean} [parameters.createBuildManifest=false]
  493. * Whether to create a build manifest file for the root project.
  494. * This is currently only supported for projects of type 'library' and 'theme-library'
  495. * @param {Array.<string>} [parameters.includedTasks=[]] List of tasks to be included
  496. * @param {Array.<string>} [parameters.excludedTasks=[]] List of tasks to be excluded.
  497. * @param {module:@ui5/project/build/ProjectBuilderOutputStyle} [parameters.outputStyle=Default]
  498. * Processes build results into a specific directory structure.
  499. * @returns {Promise} Promise resolving to <code>undefined</code> once build has finished
  500. */
  501. async build({
  502. destPath, cleanDest = false,
  503. includedDependencies = [], excludedDependencies = [],
  504. dependencyIncludes,
  505. selfContained = false, cssVariables = false, jsdoc = false, createBuildManifest = false,
  506. includedTasks = [], excludedTasks = [],
  507. outputStyle = OutputStyleEnum.Default
  508. }) {
  509. this.seal(); // Do not allow further changes to the graph
  510. if (this._built) {
  511. throw new Error(
  512. `Project graph with root node ${this._rootProjectName} has already been built. ` +
  513. `Each graph can only be built once`);
  514. }
  515. this._built = true;
  516. const {
  517. default: ProjectBuilder
  518. } = await import("../build/ProjectBuilder.js");
  519. const builder = new ProjectBuilder({
  520. graph: this,
  521. taskRepository: await this._getTaskRepository(),
  522. buildConfig: {
  523. selfContained, cssVariables, jsdoc,
  524. createBuildManifest,
  525. includedTasks, excludedTasks, outputStyle,
  526. }
  527. });
  528. await builder.build({
  529. destPath, cleanDest,
  530. includedDependencies, excludedDependencies,
  531. dependencyIncludes,
  532. });
  533. }
  534. /**
  535. * Seal the project graph so that no further changes can be made to it
  536. *
  537. * @public
  538. */
  539. seal() {
  540. this._sealed = true;
  541. }
  542. /**
  543. * Check whether the project graph has been sealed.
  544. * This means the graph is read-only. Neither projects, nor dependencies between projects
  545. * can be added or removed.
  546. *
  547. * @public
  548. * @returns {boolean} True if the project graph has been sealed
  549. */
  550. isSealed() {
  551. return this._sealed;
  552. }
  553. /**
  554. * Helper function to check and throw in case the project graph has been sealed.
  555. * Intended for use in any function that attempts to make changes to the graph.
  556. *
  557. * @throws Throws in case the project graph has been sealed
  558. */
  559. _checkSealed() {
  560. if (this._sealed) {
  561. throw new Error(`Project graph with root node ${this._rootProjectName} has been sealed and is read-only`);
  562. }
  563. }
  564. _checkCycle(ancestors, projectName) {
  565. if (ancestors.includes(projectName)) {
  566. // "Back-edge" detected. Neither BFS nor DFS searches should continue
  567. // Mark first and last occurrence in chain with an asterisk and throw an error detailing the
  568. // problematic dependency chain
  569. ancestors[ancestors.indexOf(projectName)] = `*${projectName}*`;
  570. throw new Error(`Detected cyclic dependency chain: ${ancestors.join(" -> ")} -> *${projectName}*`);
  571. }
  572. }
  573. // TODO: introduce function to check for dangling nodes/consistency in general?
  574. }
  575. function mergeMap(target, source) {
  576. for (const [key, value] of source) {
  577. if (target.has(key)) {
  578. throw new Error(`Failed to merge map: Key '${key}' already present in target set`);
  579. }
  580. if (value instanceof Set) {
  581. // Shallow-clone any Sets
  582. target.set(key, new Set(value));
  583. } else {
  584. target.set(key, value);
  585. }
  586. }
  587. }
  588. export default ProjectGraph;