builder/lib/processors/versionInfoGenerator.js

  1. import {getLogger} from "@ui5/logger";
  2. const log = getLogger("builder:processors:versionInfoGenerator");
  3. import {createResource} from "@ui5/fs/resourceFactory";
  4. import posixPath from "node:path/posix";
  5. /**
  6. * @public
  7. * @module @ui5/builder/processors/versionInfoGenerator
  8. */
  9. function pad(v) {
  10. return String(v).padStart(2, "0");
  11. }
  12. function getTimestamp() {
  13. const date = new Date();
  14. const year = date.getFullYear();
  15. const month = pad(date.getMonth() + 1);
  16. const day = pad(date.getDate());
  17. const hours = pad(date.getHours());
  18. const minutes = pad(date.getMinutes());
  19. // yyyyMMddHHmm
  20. return year + month + day + hours + minutes;
  21. }
  22. /**
  23. * Manifest libraries as defined in the manifest.json file
  24. *
  25. * @typedef {Object<string, {lazy: boolean}>} ManifestLibraries
  26. *
  27. * sample:
  28. * <pre>
  29. * {
  30. * "sap.chart": {
  31. * "lazy": true
  32. * },
  33. * "sap.f": { }
  34. * }
  35. * </pre>
  36. */
  37. /**
  38. * Extracted information from a manifest's <code>sap.app</code> and <code>sap.ui5</code> sections.
  39. *
  40. * @typedef {object} ManifestInfo
  41. *
  42. * @property {string} id The library name, e.g. "lib.x"
  43. * @property {string} embeddedBy the library this component is embedded in, e.g. "lib.x"
  44. * @property {string[]} embeds the embedded component names, e.g. ["lib.x.sub"]
  45. * @property {module:@ui5/builder/processors/versionInfoGenerator~ManifestLibraries} libs the dependencies, e.g.
  46. * {"sap.chart":{"lazy": true}, "sap.f":{}}
  47. */
  48. /**
  49. * Processes manifest resource and extracts information.
  50. *
  51. * @param {@ui5/fs/Resource} manifestResource
  52. * @returns {Promise<module:@ui5/builder/processors/versionInfoGenerator~ManifestInfo>}
  53. */
  54. const processManifest = async (manifestResource) => {
  55. const manifestContent = await manifestResource.getString();
  56. const manifestObject = JSON.parse(manifestContent);
  57. const manifestInfo = Object.create(null);
  58. // sap.ui5/dependencies is used for the "manifestHints/libs"
  59. if (manifestObject["sap.ui5"]) {
  60. const manifestDependencies = manifestObject["sap.ui5"]["dependencies"];
  61. if (manifestDependencies && manifestDependencies.libs) {
  62. const libs = Object.create(null);
  63. for (const [libKey, libValue] of Object.entries(manifestDependencies.libs)) {
  64. libs[libKey] = Object.create(null);
  65. if (libValue.lazy) {
  66. libs[libKey].lazy = true;
  67. }
  68. }
  69. manifestInfo.libs = libs;
  70. }
  71. }
  72. // sap.app/embeds, sap.app/embeddedBy and sap.app/id is used for "components"
  73. if (manifestObject["sap.app"]) {
  74. const manifestEmbeds = manifestObject["sap.app"]["embeds"];
  75. manifestInfo.embeds = manifestEmbeds;
  76. const manifestEmbeddedBy = manifestObject["sap.app"]["embeddedBy"];
  77. manifestInfo.embeddedBy = manifestEmbeddedBy;
  78. const id = manifestObject["sap.app"]["id"];
  79. manifestInfo.id = id;
  80. }
  81. return manifestInfo;
  82. };
  83. /**
  84. * Checks if a component (componentPath) is bundled with the library (embeddedBy)
  85. *
  86. * @param {string} embeddedBy e.g. "../"
  87. * @param {string} componentPath e.g. "lib/x/sub"
  88. * @param {string} libraryPathPrefix e.g. "lib/x"
  89. * @returns {boolean} whether or not this component is bundled with the library
  90. */
  91. const isBundledWithLibrary = (embeddedBy, componentPath, libraryPathPrefix) => {
  92. if (typeof embeddedBy === "undefined") {
  93. log.verbose(" Component doesn't declare 'sap.app/embeddedBy', don't list it as 'embedded'");
  94. return false;
  95. }
  96. if (typeof embeddedBy !== "string") {
  97. log.error(
  98. ` Component '${componentPath}': property 'sap.app/embeddedBy' is of type '${typeof embeddedBy}' ` +
  99. `(expected 'string'), it won't be listed as 'embedded'`);
  100. return false;
  101. }
  102. if ( !embeddedBy.length ) {
  103. log.error(
  104. ` Component '${componentPath}': property 'sap.app/embeddedBy' has an empty string value ` +
  105. `(which is invalid), it won't be listed as 'embedded'`
  106. );
  107. return false;
  108. }
  109. let resolvedEmbeddedBy = posixPath.resolve(componentPath, embeddedBy);
  110. if ( resolvedEmbeddedBy && !resolvedEmbeddedBy.endsWith("/") ) {
  111. resolvedEmbeddedBy = resolvedEmbeddedBy + "/";
  112. }
  113. if ( libraryPathPrefix === resolvedEmbeddedBy ) {
  114. log.verbose(" Component's 'sap.app/embeddedBy' property points to library, list it as 'embedded'");
  115. return true;
  116. } else {
  117. log.verbose(
  118. ` Component's 'sap.app/embeddedBy' points to '${resolvedEmbeddedBy}', don't list it as 'embedded'`);
  119. return false;
  120. }
  121. };
  122. /**
  123. * Retrieves the manifest path of a subcomponent
  124. *
  125. * @param {string} filePath path to the manifest, e.g. "lib/x/manifest.json"
  126. * @param {string} subPath relative sub path, e.g. "sub"
  127. * @returns {string} manifest path, e.g. "lib/x/sub/manifest.json"
  128. */
  129. const getManifestPath = (filePath, subPath) => {
  130. return posixPath.resolve(posixPath.dirname(filePath), subPath, "manifest.json");
  131. };
  132. /**
  133. * Represents dependency information for a library.
  134. * Dependencies can be retrieved using <code>#getResolvedLibraries</code>
  135. * and with that are resolved recursively
  136. */
  137. class DependencyInfo {
  138. /**
  139. *
  140. * @param {module:@ui5/builder/processors/versionInfoGenerator~ManifestLibraries} libs
  141. * @param {string} name library name, e.g. "lib.x"
  142. */
  143. constructor(libs, name) {
  144. this.libs = libs;
  145. this.name = name;
  146. }
  147. /**
  148. * Add library to libsResolved and if already present
  149. * merge lazy property
  150. *
  151. * @param {string} libName library name, e.g. "lib.x"
  152. * @param {boolean} lazy
  153. * @returns {{lazy: boolean}} the added library
  154. */
  155. addResolvedLibDependency(libName, lazy) {
  156. let alreadyResolved = this._libsResolved[libName];
  157. if (!alreadyResolved) {
  158. alreadyResolved = Object.create(null);
  159. if (lazy) {
  160. alreadyResolved.lazy = true;
  161. }
  162. this._libsResolved[libName] = alreadyResolved;
  163. } else {
  164. // siblings if sibling is eager only if one other sibling eager
  165. alreadyResolved.lazy = alreadyResolved.lazy && lazy;
  166. }
  167. return alreadyResolved;
  168. }
  169. /**
  170. * Resolves dependencies recursively and retrieves them with
  171. * - resolved siblings a lazy and a eager dependency becomes eager
  172. * - resolved children become lazy if their parent is lazy
  173. *
  174. * @param {Map<string,DependencyInfo>} dependencyInfoMap
  175. * @returns {module:@ui5/builder/processors/versionInfoGenerator~ManifestLibraries} resolved libraries
  176. */
  177. getResolvedLibraries(dependencyInfoMap) {
  178. if (!this._libsResolved) {
  179. // early set if there is a potential cycle
  180. this._libsResolved = Object.create(null);
  181. if (!this.libs) {
  182. return this._libsResolved;
  183. }
  184. for (const [libName, libValue] of Object.entries(this.libs)) {
  185. const lazy = libValue.lazy;
  186. const dependencyInfoObjectAdded = this.addResolvedLibDependency(libName, lazy);
  187. const dependencyInfo = dependencyInfoMap.get(libName);
  188. if (dependencyInfo) {
  189. const childLibsResolved = dependencyInfo.getResolvedLibraries(dependencyInfoMap);
  190. // children if parent is lazy children become lazy
  191. for (const [resolvedLibName, resolvedLib] of Object.entries(childLibsResolved)) {
  192. this.addResolvedLibDependency(resolvedLibName,
  193. resolvedLib.lazy || dependencyInfoObjectAdded.lazy);
  194. }
  195. } else {
  196. log.info(`Cannot find dependency '${libName}' `+
  197. `defined in the manifest.json or .library file of project '${this.name}'. ` +
  198. "This might prevent some UI5 runtime performance optimizations from taking effect. " +
  199. "Please double check your project's dependency configuration.");
  200. }
  201. }
  202. }
  203. return this._libsResolved;
  204. }
  205. }
  206. /**
  207. * Sorts the keys of a given object
  208. *
  209. * @param {object} obj the object
  210. * @returns {object} the object with sorted keys
  211. */
  212. const sortObjectKeys = (obj) => {
  213. const sortedObject = Object.create(null);
  214. const keys = Object.keys(obj);
  215. keys.sort();
  216. keys.forEach((key) => {
  217. sortedObject[key] = obj[key];
  218. });
  219. return sortedObject;
  220. };
  221. /**
  222. * Builds the manifestHints object from the dependencyInfo
  223. *
  224. * @param {DependencyInfo} dependencyInfo
  225. * @param {Map<string, DependencyInfo>} dependencyInfoMap
  226. * @returns {{dependencies: {libs: ManifestLibraries}}} manifestHints
  227. */
  228. const getManifestHints = (dependencyInfo, dependencyInfoMap) => {
  229. if (dependencyInfo) {
  230. const libsResolved = dependencyInfo.getResolvedLibraries(dependencyInfoMap);
  231. if (libsResolved && Object.keys(libsResolved).length) {
  232. return {
  233. dependencies: {
  234. libs: sortObjectKeys(libsResolved)
  235. }
  236. };
  237. }
  238. }
  239. };
  240. /**
  241. * Common type for Library and Component
  242. * embeds and bundled components make only sense for library
  243. *
  244. * @typedef {object} ArtifactInfo
  245. * @property {string} componentName The library name, e.g. "lib.x"
  246. * @property {Set<string>} bundledComponents The embedded components which have an embeddedBy reference to the library
  247. * @property {DependencyInfo} dependencyInfo The dependency info object
  248. * @property {module:@ui5/builder/processors/versionInfoGenerator~ArtifactInfo[]} embeds The embedded artifact infos
  249. */
  250. /**
  251. * Processes the manifest and creates a ManifestInfo and an ArtifactInfo.
  252. *
  253. * @param {@ui5/fs/Resource} libraryManifest
  254. * @param {string} [name] library name, if not provided using the ManifestInfo's id
  255. * @returns {Promise<{manifestInfo: ManifestInfo, libraryArtifactInfo: ArtifactInfo}>}
  256. */
  257. async function processManifestAndGetArtifactInfo(libraryManifest, name) {
  258. const manifestInfo = await processManifest(libraryManifest);
  259. name = name || manifestInfo.id;
  260. const libraryArtifactInfo = Object.create(null);
  261. libraryArtifactInfo.componentName = name;
  262. libraryArtifactInfo.dependencyInfo = new DependencyInfo(manifestInfo.libs, name);
  263. return {manifestInfo, libraryArtifactInfo};
  264. }
  265. /**
  266. * Processes the library info and fills the maps <code>dependencyInfoMap</code> and <code>embeddedInfoMap</code>.
  267. *
  268. * @param {module:@ui5/builder/processors/versionInfoGenerator~LibraryInfo} libraryInfo
  269. * @returns {Promise<module:@ui5/builder/processors/versionInfoGenerator~ArtifactInfo|undefined>}
  270. */
  271. const processLibraryInfo = async (libraryInfo) => {
  272. if (!libraryInfo.libraryManifest) {
  273. log.verbose(
  274. `Cannot add meta information for library '${libraryInfo.name}'. The manifest.json file cannot be found`);
  275. return;
  276. }
  277. const {manifestInfo, libraryArtifactInfo} =
  278. await processManifestAndGetArtifactInfo(libraryInfo.libraryManifest, libraryInfo.name);
  279. const bundledComponents = new Set();
  280. libraryArtifactInfo.bundledComponents = bundledComponents;
  281. const embeds = manifestInfo.embeds||[]; // e.g. ["sub"]
  282. // filter only embedded manifests
  283. const embeddedPaths = embeds.map((embed) => {
  284. return getManifestPath(libraryInfo.libraryManifest.getPath(), embed);
  285. });
  286. // e.g. manifest resource with lib/x/sub/manifest.json
  287. let embeddedManifests = libraryInfo.embeddedManifests || [];
  288. embeddedManifests = embeddedManifests.filter((manifestResource) => {
  289. return embeddedPaths.includes(manifestResource.getPath());
  290. });
  291. // get all embedded manifests
  292. const embeddedManifestPromises = embeddedManifests.map(async (embeddedManifest) => {
  293. const {manifestInfo: embeddedManifestInfo, libraryArtifactInfo: embeddedArtifactInfo} =
  294. await processManifestAndGetArtifactInfo(embeddedManifest);
  295. const componentName = embeddedManifestInfo.id;
  296. const embeddedManifestDirName = posixPath.dirname(embeddedManifest.getPath());
  297. const libraryManifestDirName = posixPath.dirname(libraryInfo.libraryManifest.getPath());
  298. if (isBundledWithLibrary(embeddedManifestInfo.embeddedBy, embeddedManifestDirName,
  299. libraryManifestDirName + "/")) {
  300. bundledComponents.add(componentName);
  301. }
  302. return embeddedArtifactInfo;
  303. });
  304. const embeddedArtifactInfos = await Promise.all(embeddedManifestPromises);
  305. libraryArtifactInfo.embeds = embeddedArtifactInfos;
  306. return libraryArtifactInfo;
  307. };
  308. /**
  309. * Library Info
  310. *
  311. * contains information about the name and the version of the library and its manifest, as well as the nested manifests.
  312. *
  313. * @public
  314. * @typedef {object} LibraryInfo
  315. * @property {string} name The library name, e.g. "lib.x"
  316. * @property {string} version The library version, e.g. "1.0.0"
  317. * @property {@ui5/fs/Resource} libraryManifest library manifest resource,
  318. * e.g. resource with path "lib/x/manifest.json"
  319. * @property {@ui5/fs/Resource[]} embeddedManifests list of embedded manifest resources,
  320. * e.g. resource with path "lib/x/sub/manifest.json"
  321. */
  322. /**
  323. * Creates sap-ui-version.json.
  324. *
  325. * @public
  326. * @function default
  327. * @static
  328. *
  329. * @param {object} parameters Parameters
  330. * @param {object} parameters.options Options
  331. * @param {string} parameters.options.rootProjectName Name of the root project
  332. * @param {string} parameters.options.rootProjectVersion Version of the root project
  333. * @param {module:@ui5/builder/processors/versionInfoGenerator~LibraryInfo[]} parameters.options.libraryInfos Array of
  334. * objects representing libraries,
  335. * e.g. <pre>
  336. * {
  337. * name: "lib.x",
  338. * version: "1.0.0",
  339. * libraryManifest: @ui5/fs/Resource,
  340. * embeddedManifests: @ui5/fs/Resource[]
  341. * }
  342. * </pre>
  343. * @returns {Promise<@ui5/fs/Resource[]>} Promise resolving with an array containing the versionInfo resource
  344. */
  345. export default async function({options}) {
  346. if (!options.rootProjectName || options.rootProjectVersion === undefined || options.libraryInfos === undefined) {
  347. throw new Error("[versionInfoGenerator]: Missing options parameters");
  348. }
  349. const buildTimestamp = getTimestamp();
  350. /**
  351. * componentName to dependency info
  352. *
  353. * @type {Map<string, DependencyInfo>}
  354. */
  355. const dependencyInfoMap = new Map();
  356. // process library infos
  357. const libraryInfosProcessPromises = options.libraryInfos.map((libraryInfo) => {
  358. return processLibraryInfo(libraryInfo);
  359. });
  360. let artifactInfos = await Promise.all(libraryInfosProcessPromises);
  361. artifactInfos = artifactInfos.filter(Boolean);
  362. // fill dependencyInfoMap
  363. artifactInfos.forEach((artifactInfo) => {
  364. dependencyInfoMap.set(artifactInfo.componentName, artifactInfo.dependencyInfo);
  365. });
  366. const libraries = options.libraryInfos.map((libraryInfo) => {
  367. const library = {
  368. name: libraryInfo.name,
  369. version: libraryInfo.version,
  370. buildTimestamp: buildTimestamp,
  371. scmRevision: ""// TODO: insert current library scm revision here
  372. };
  373. const dependencyInfo = dependencyInfoMap.get(libraryInfo.name);
  374. const manifestHints = getManifestHints(dependencyInfo, dependencyInfoMap);
  375. if (manifestHints) {
  376. library.manifestHints = manifestHints;
  377. }
  378. return library;
  379. });
  380. // sort libraries alphabetically
  381. libraries.sort((a, b) => {
  382. return a.name.localeCompare(b.name);
  383. });
  384. // components
  385. let components;
  386. artifactInfos.forEach((artifactInfo) => {
  387. artifactInfo.embeds.forEach((embeddedArtifactInfo) => {
  388. const componentObject = Object.create(null);
  389. const bundledComponents = artifactInfo.bundledComponents;
  390. const componentName = embeddedArtifactInfo.componentName;
  391. if (!bundledComponents.has(componentName)) {
  392. componentObject.hasOwnPreload = true;
  393. }
  394. componentObject.library = artifactInfo.componentName;
  395. const manifestHints = getManifestHints(embeddedArtifactInfo.dependencyInfo, dependencyInfoMap);
  396. if (manifestHints) {
  397. componentObject.manifestHints = manifestHints;
  398. }
  399. components = components || Object.create(null);
  400. components[componentName] = componentObject;
  401. });
  402. });
  403. // sort components alphabetically
  404. components = components && sortObjectKeys(components);
  405. const versionJson = {
  406. name: options.rootProjectName,
  407. version: options.rootProjectVersion, // TODO: insert current application version here
  408. buildTimestamp: buildTimestamp,
  409. scmRevision: "", // TODO: insert current application scm revision here
  410. // gav: "", // TODO: insert current application id + version here
  411. libraries,
  412. components
  413. };
  414. return [createResource({
  415. path: "/resources/sap-ui-version.json",
  416. string: JSON.stringify(versionJson, null, "\t")
  417. })];
  418. }