project/lib/graph/Workspace.js

  1. import fs from "graceful-fs";
  2. import {globby, isDynamicPattern} from "globby";
  3. import path from "node:path";
  4. import {promisify} from "node:util";
  5. import {getLogger} from "@ui5/logger";
  6. import Module from "./Module.js";
  7. import {validateWorkspace} from "../validation/validator.js";
  8. const readFile = promisify(fs.readFile);
  9. const log = getLogger("graph:Workspace");
  10. /**
  11. * Workspace configuration. For details, refer to the
  12. * [UI5 Workspaces documentation]{@link https://sap.github.io/ui5-tooling/v3/pages/Workspace/#configuration}
  13. *
  14. * @public
  15. * @typedef {object} @ui5/project/graph/Workspace~Configuration
  16. * @property {string} node.specVersion Workspace Specification Version
  17. * @property {object} node.metadata
  18. * @property {string} node.metadata.name Name of the workspace configuration
  19. * @property {object} node.dependencyManagement
  20. * @property {@ui5/project/graph/Workspace~DependencyManagementResolutions[]} node.dependencyManagement.resolutions
  21. */
  22. /**
  23. * A resolution entry for the dependency management section of the workspace configuration
  24. *
  25. * @public
  26. * @typedef {object} @ui5/project/graph/Workspace~DependencyManagementResolution
  27. * @property {string} path Relative path to use for the workspace resolution process
  28. */
  29. /**
  30. * UI5 Workspace
  31. *
  32. * @public
  33. * @class
  34. * @alias @ui5/project/graph/Workspace
  35. */
  36. class Workspace {
  37. #visitedNodePaths = new Set();
  38. #configValidated = false;
  39. #configuration;
  40. #cwd;
  41. /**
  42. * @public
  43. * @param {object} options
  44. * @param {string} options.cwd Path to use for resolving all paths of the workspace configuration from.
  45. * This should contain platform-specific path separators (i.e. must not be POSIX on non-POSIX systems)
  46. * @param {@ui5/project/graph/Workspace~Configuration} options.configuration
  47. * Workspace configuration
  48. */
  49. constructor({cwd, configuration}) {
  50. if (!cwd) {
  51. throw new Error(`Could not create Workspace: Missing or empty parameter 'cwd'`);
  52. }
  53. if (!configuration) {
  54. throw new Error(`Could not create Workspace: Missing or empty parameter 'configuration'`);
  55. }
  56. this.#cwd = cwd;
  57. this.#configuration = configuration;
  58. }
  59. /**
  60. * Get the name of this workspace
  61. *
  62. * @public
  63. * @returns {string} Name of this workspace configuration
  64. */
  65. getName() {
  66. return this.#configuration.metadata.name;
  67. }
  68. /**
  69. * Returns an array of [Module]{@ui5/project/graph/Module} instances found in the configured
  70. * dependency-management resolution paths of this workspace, sorted by module ID.
  71. *
  72. * @public
  73. * @returns {Promise<@ui5/project/graph/Module[]>}
  74. * Array of Module instances sorted by module ID
  75. */
  76. async getModules() {
  77. const {moduleIdMap} = await this._getResolvedModules();
  78. const sortedMap = new Map([...moduleIdMap].sort((a, b) => String(a[0]).localeCompare(b[0])));
  79. return Array.from(sortedMap.values());
  80. }
  81. /**
  82. * For a given project name (e.g. the value of the <code>metadata.name</code> property in a ui5.yaml),
  83. * returns a [Module]{@ui5/project/graph/Module} instance or <code>undefined</code> depending on whether the project
  84. * has been found in the configured dependency-management resolution paths of this workspace
  85. *
  86. * @public
  87. * @param {string} projectName Name of the project
  88. * @returns {Promise<@ui5/project/graph/Module|undefined>}
  89. * Module instance, or <code>undefined</code> if none is found
  90. */
  91. async getModuleByProjectName(projectName) {
  92. const {projectNameMap} = await this._getResolvedModules();
  93. return projectNameMap.get(projectName);
  94. }
  95. /**
  96. * For a given node id (e.g. the value of the name property in a package.json),
  97. * returns a [Module]{@ui5/project/graph/Module} instance or <code>undefined</code> depending on whether the module
  98. * has been found in the configured dependency-management resolution paths of this workspace
  99. * and contains at least one project or extension
  100. *
  101. * @public
  102. * @param {string} nodeId Node ID of the module
  103. * @returns {Promise<@ui5/project/graph/Module|undefined>}
  104. * Module instance, or <code>undefined</code> if none is found
  105. */
  106. async getModuleByNodeId(nodeId) {
  107. const {moduleIdMap} = await this._getResolvedModules();
  108. return moduleIdMap.get(nodeId);
  109. }
  110. _getResolvedModules() {
  111. if (this._pResolvedModules) {
  112. return this._pResolvedModules;
  113. }
  114. return this._pResolvedModules = this._resolveModules();
  115. }
  116. async _resolveModules() {
  117. await this._validateConfig();
  118. const resolutions = this.#configuration.dependencyManagement?.resolutions;
  119. if (!resolutions?.length) {
  120. return {
  121. projectNameMap: new Map(),
  122. moduleIdMap: new Map()
  123. };
  124. }
  125. let resolvedModules = await Promise.all(resolutions.map(async (resolutionConfig) => {
  126. if (!resolutionConfig.path) {
  127. throw new Error(
  128. `Missing property 'path' in dependency resolution configuration of workspace ${this.getName()}`);
  129. }
  130. return await this._getModulesFromPath(
  131. this.#cwd, resolutionConfig.path);
  132. }));
  133. // Flatten array since package-workspaces might have resolved to multiple modules for a single resolution
  134. resolvedModules = Array.prototype.concat.apply([], resolvedModules);
  135. const projectNameMap = new Map();
  136. const moduleIdMap = new Map();
  137. await Promise.all(resolvedModules.map(async (module) => {
  138. const {project, extensions} = await module.getSpecifications();
  139. if (project || extensions.length) {
  140. moduleIdMap.set(module.getId(), module);
  141. } else {
  142. log.warn(
  143. `Failed to create a project or extensions from module ${module.getId()} at ${module.getPath()}`);
  144. }
  145. if (project) {
  146. projectNameMap.set(project.getName(), module);
  147. log.verbose(`Module ${module.getId()} contains project ${project.getName()}`);
  148. }
  149. if (extensions.length) {
  150. const extensionNames = extensions.map((e) => e.getName()).join(", ");
  151. log.verbose(`Module ${module.getId()} contains extensions: ${extensionNames}`);
  152. }
  153. }));
  154. return {
  155. projectNameMap,
  156. moduleIdMap
  157. };
  158. }
  159. async _getModulesFromPath(cwd, relPath, failOnMissingFiles = true) {
  160. const nodePath = path.join(cwd, relPath);
  161. if (this.#visitedNodePaths.has(nodePath)) {
  162. log.verbose(`Module located at ${nodePath} has already been visited`);
  163. return [];
  164. }
  165. this.#visitedNodePaths.add(nodePath);
  166. let pkg;
  167. try {
  168. pkg = await this._readPackageJson(nodePath);
  169. if (!pkg?.name || !pkg?.version) {
  170. throw new Error(
  171. `package.json must contain fields 'name' and 'version'`);
  172. }
  173. } catch (err) {
  174. if (!failOnMissingFiles && err.code === "ENOENT") {
  175. // When resolving a dynamic workspace pattern (not a static path), ignore modules that
  176. // are missing a package.json (this might simply indicate an empty directory)
  177. log.verbose(`Ignoring module at path ${nodePath}: Directory does not contain a package.json`);
  178. return [];
  179. }
  180. throw new Error(
  181. `Failed to resolve workspace dependency resolution path ${relPath} to ${nodePath}: ${err.message}`);
  182. }
  183. // If the package.json defines an npm "workspaces", or an equivalent "ui5.workspaces" configuration,
  184. // resolve the workspace and only use the resulting modules. The root package is ignored.
  185. const packageWorkspaceConfig = pkg.ui5?.workspaces || pkg.workspaces;
  186. if (packageWorkspaceConfig?.length) {
  187. log.verbose(`Module ${pkg.name} provides a package.json workspaces configuration. ` +
  188. `Ignoring the module and resolving workspaces instead...`);
  189. const staticPatterns = [];
  190. // Split provided patterns into dynamic and static patterns
  191. // This is necessary, since fast-glob currently behaves different from
  192. // "glob" (used by @npmcli/map-workspaces) in that it does not match the
  193. // base directory in case it is equal to the pattern (https://github.com/mrmlnc/fast-glob/issues/47)
  194. // For example a pattern "package-a" would not match a directory called
  195. // "package-a" in the root directory of the project.
  196. // We therefore detect the static pattern and resolve it directly
  197. const dynamicPatterns = packageWorkspaceConfig.filter((pattern) => {
  198. if (isDynamicPattern(pattern)) {
  199. return true;
  200. } else {
  201. staticPatterns.push(pattern);
  202. return false;
  203. }
  204. });
  205. let searchPaths = [];
  206. if (dynamicPatterns.length) {
  207. searchPaths = await globby(dynamicPatterns, {
  208. cwd: nodePath,
  209. followSymbolicLinks: false,
  210. onlyDirectories: true,
  211. });
  212. }
  213. searchPaths.push(...staticPatterns);
  214. const resolvedModules = new Map();
  215. await Promise.all(searchPaths.map(async (pkgPath) => {
  216. const modules = await this._getModulesFromPath(nodePath, pkgPath, staticPatterns.includes(pkgPath));
  217. modules.forEach((module) => {
  218. const id = module.getId();
  219. if (!resolvedModules.get(id)) {
  220. resolvedModules.set(id, module);
  221. }
  222. });
  223. }));
  224. return Array.from(resolvedModules.values());
  225. } else {
  226. return [new Module({
  227. id: pkg.name,
  228. version: pkg.version,
  229. modulePath: nodePath
  230. })];
  231. }
  232. }
  233. /**
  234. * Reads the package.json file and returns its content
  235. *
  236. * @private
  237. * @param {string} modulePath Path to the module containing the package.json
  238. * @returns {object} Package json content
  239. */
  240. async _readPackageJson(modulePath) {
  241. const content = await readFile(path.join(modulePath, "package.json"), "utf8");
  242. return JSON.parse(content);
  243. }
  244. async _validateConfig() {
  245. if (this.#configValidated) {
  246. return;
  247. }
  248. await validateWorkspace({
  249. config: this.#configuration
  250. });
  251. this.#configValidated = true;
  252. }
  253. }
  254. export default Workspace;