project/lib/specifications/types/Library.js

  1. import fsPath from "node:path";
  2. import posixPath from "node:path/posix";
  3. import {promisify} from "node:util";
  4. import ComponentProject from "../ComponentProject.js";
  5. import * as resourceFactory from "@ui5/fs/resourceFactory";
  6. /**
  7. * Library
  8. *
  9. * @public
  10. * @class
  11. * @alias @ui5/project/specifications/types/Library
  12. * @extends @ui5/project/specifications/ComponentProject
  13. * @hideconstructor
  14. */
  15. class Library extends ComponentProject {
  16. constructor(parameters) {
  17. super(parameters);
  18. this._pManifest = null;
  19. this._pDotLibrary = null;
  20. this._pLibraryJs = null;
  21. this._srcPath = "src";
  22. this._testPath = "test";
  23. this._testPathExists = false;
  24. this._isSourceNamespaced = true;
  25. this._propertiesFilesSourceEncoding = "UTF-8";
  26. }
  27. /* === Attributes === */
  28. /**
  29. *
  30. * @private
  31. */
  32. getLibraryPreloadExcludes() {
  33. return this._config.builder && this._config.builder.libraryPreload &&
  34. this._config.builder.libraryPreload.excludes || [];
  35. }
  36. /**
  37. * @private
  38. */
  39. getJsdocExcludes() {
  40. return this._config.builder && this._config.builder.jsdoc && this._config.builder.jsdoc.excludes || [];
  41. }
  42. /**
  43. * Get the path of the project's source directory. This might not be POSIX-style on some platforms.
  44. *
  45. * @public
  46. * @returns {string} Absolute path to the source directory of the project
  47. */
  48. getSourcePath() {
  49. return fsPath.join(this.getRootPath(), this._srcPath);
  50. }
  51. /* === Resource Access === */
  52. /**
  53. * Get a resource reader for the sources of the project (excluding any test resources)
  54. *
  55. * @param {string[]} excludes List of glob patterns to exclude
  56. * @returns {@ui5/fs/ReaderCollection} Reader collection
  57. */
  58. _getSourceReader(excludes) {
  59. // TODO: Throw for libraries with additional namespaces like sap.ui.core?
  60. let virBasePath = "/resources/";
  61. if (!this._isSourceNamespaced) {
  62. // In case the namespace is not represented in the source directory
  63. // structure, add it to the virtual base path
  64. virBasePath += `${this._namespace}/`;
  65. }
  66. return resourceFactory.createReader({
  67. fsBasePath: this.getSourcePath(),
  68. virBasePath,
  69. name: `Source reader for library project ${this.getName()}`,
  70. project: this,
  71. excludes
  72. });
  73. }
  74. /**
  75. * Get a resource reader for the test-resources of the project
  76. *
  77. * @param {string[]} excludes List of glob patterns to exclude
  78. * @returns {@ui5/fs/ReaderCollection} Reader collection
  79. */
  80. _getTestReader(excludes) {
  81. if (!this._testPathExists) {
  82. return null;
  83. }
  84. let virBasePath = "/test-resources/";
  85. if (!this._isSourceNamespaced) {
  86. // In case the namespace is not represented in the source directory
  87. // structure, add it to the virtual base path
  88. virBasePath += `${this._namespace}/`;
  89. }
  90. const testReader = resourceFactory.createReader({
  91. fsBasePath: fsPath.join(this.getRootPath(), this._testPath),
  92. virBasePath,
  93. name: `Runtime test-resources reader for library project ${this.getName()}`,
  94. project: this,
  95. excludes
  96. });
  97. return testReader;
  98. }
  99. /**
  100. * Get a resource reader for the sources of the project (excluding any test resources)
  101. * without a virtual base path.
  102. * In the future the path structure can be flat or namespaced depending on the project
  103. * setup
  104. *
  105. * @returns {@ui5/fs/ReaderCollection} Reader collection
  106. */
  107. _getRawSourceReader() {
  108. return resourceFactory.createReader({
  109. fsBasePath: this.getSourcePath(),
  110. virBasePath: "/",
  111. name: `Raw source reader for library project ${this.getName()}`,
  112. project: this
  113. });
  114. }
  115. /* === Internals === */
  116. /**
  117. * @private
  118. * @param {object} config Configuration object
  119. */
  120. async _configureAndValidatePaths(config) {
  121. await super._configureAndValidatePaths(config);
  122. if (config.resources && config.resources.configuration && config.resources.configuration.paths) {
  123. if (config.resources.configuration.paths.src) {
  124. this._srcPath = config.resources.configuration.paths.src;
  125. }
  126. if (config.resources.configuration.paths.test) {
  127. this._testPath = config.resources.configuration.paths.test;
  128. }
  129. }
  130. if (!(await this._dirExists("/" + this._srcPath))) {
  131. throw new Error(
  132. `Unable to find source directory '${this._srcPath}' in library project ${this.getName()}`);
  133. }
  134. this._testPathExists = await this._dirExists("/" + this._testPath);
  135. this._log.verbose(`Path mapping for library project ${this.getName()}:`);
  136. this._log.verbose(` Physical root path: ${this.getRootPath()}`);
  137. this._log.verbose(` Mapped to:`);
  138. this._log.verbose(` /resources/ => ${this._srcPath}`);
  139. this._log.verbose(
  140. ` /test-resources/ => ${this._testPath}${this._testPathExists ? "" : " [does not exist]"}`);
  141. }
  142. /**
  143. * @private
  144. * @param {object} config Configuration object
  145. * @param {object} buildDescription Cache metadata object
  146. */
  147. async _parseConfiguration(config, buildDescription) {
  148. await super._parseConfiguration(config, buildDescription);
  149. if (buildDescription) {
  150. this._namespace = buildDescription.namespace;
  151. return;
  152. }
  153. this._namespace = await this._getNamespace();
  154. if (!config.metadata.copyright) {
  155. const copyright = await this._getCopyrightFromDotLibrary();
  156. if (copyright) {
  157. config.metadata.copyright = copyright;
  158. }
  159. }
  160. if (this.isFrameworkProject()) {
  161. // Only framework projects are allowed to provide preload-excludes in their .library file,
  162. // and only if it is not already defined in the ui5.yaml
  163. if (config.builder?.libraryPreload?.excludes) {
  164. this._log.verbose(
  165. `Using preload excludes for framework library ${this.getName()} from project configuration`);
  166. } else {
  167. this._log.verbose(
  168. `No preload excludes defined in project configuration of framework library ` +
  169. `${this.getName()}. Falling back to .library...`);
  170. const excludes = await this._getPreloadExcludesFromDotLibrary();
  171. if (excludes) {
  172. if (!config.builder) {
  173. config.builder = {};
  174. }
  175. if (!config.builder.libraryPreload) {
  176. config.builder.libraryPreload = {};
  177. }
  178. config.builder.libraryPreload.excludes = excludes;
  179. }
  180. }
  181. }
  182. }
  183. /**
  184. * Determine library namespace by checking manifest.json with fallback to .library.
  185. * Any maven placeholders are resolved from the projects pom.xml
  186. *
  187. * @returns {string} Namespace of the project
  188. * @throws {Error} if namespace can not be determined
  189. */
  190. async _getNamespace() {
  191. // Trigger both reads asynchronously
  192. const [{
  193. namespace: manifestNs,
  194. filePath: manifestPath
  195. }, {
  196. namespace: dotLibraryNs,
  197. filePath: dotLibraryPath
  198. }] = await Promise.all([
  199. this._getNamespaceFromManifest(),
  200. this._getNamespaceFromDotLibrary()
  201. ]);
  202. let libraryNs;
  203. let namespacePath;
  204. if (manifestNs && dotLibraryNs) {
  205. // Both files present
  206. // => check whether they are on the same level
  207. const manifestDepth = manifestPath.split("/").length;
  208. const dotLibraryDepth = dotLibraryPath.split("/").length;
  209. if (manifestDepth < dotLibraryDepth) {
  210. // We see the .library file as the "leading" file of a library
  211. // Therefore, a manifest.json on a higher level is something we do not except
  212. throw new Error(`Failed to detect namespace for project ${this.getName()}: ` +
  213. `Found a manifest.json on a higher directory level than the .library file. ` +
  214. `It should be on the same or a lower level. ` +
  215. `Note that a manifest.json on a lower level will be ignored.\n` +
  216. ` manifest.json path: ${manifestPath}\n` +
  217. ` is higher than\n` +
  218. ` .library path: ${dotLibraryPath}`);
  219. }
  220. if (manifestDepth === dotLibraryDepth) {
  221. if (posixPath.dirname(manifestPath) !== posixPath.dirname(dotLibraryPath)) {
  222. // This just should not happen in your project
  223. throw new Error(`Failed to detect namespace for project ${this.getName()}: ` +
  224. `Found a manifest.json on the same directory level but in a different directory ` +
  225. `than the .library file. They should be in the same directory.\n` +
  226. ` manifest.json path: ${manifestPath}\n` +
  227. ` is different to\n` +
  228. ` .library path: ${dotLibraryPath}`);
  229. }
  230. // Typical scenario if both files are present
  231. this._log.verbose(
  232. `Found a manifest.json and a .library file on the same level for ` +
  233. `project ${this.getName()}.`);
  234. this._log.verbose(
  235. `Resolving namespace of project ${this.getName()} from manifest.json...`);
  236. libraryNs = manifestNs;
  237. namespacePath = posixPath.dirname(manifestPath);
  238. } else {
  239. // Typical scenario: Some nested component has a manifest.json but the library itself only
  240. // features a .library. => Ignore the manifest.json
  241. this._log.verbose(
  242. `Ignoring manifest.json found on a lower level than the .library file of ` +
  243. `project ${this.getName()}.`);
  244. this._log.verbose(
  245. `Resolving namespace of project ${this.getName()} from .library...`);
  246. libraryNs = dotLibraryNs;
  247. namespacePath = posixPath.dirname(dotLibraryPath);
  248. }
  249. } else if (manifestNs) {
  250. // Only manifest available
  251. this._log.verbose(
  252. `Resolving namespace of project ${this.getName()} from manifest.json...`);
  253. libraryNs = manifestNs;
  254. namespacePath = posixPath.dirname(manifestPath);
  255. } else if (dotLibraryNs) {
  256. // Only .library available
  257. this._log.verbose(
  258. `Resolving namespace of project ${this.getName()} from .library...`);
  259. libraryNs = dotLibraryNs;
  260. namespacePath = posixPath.dirname(dotLibraryPath);
  261. } else {
  262. this._log.verbose(
  263. `Failed to resolve namespace of project ${this.getName()} from manifest.json ` +
  264. `or .library file. Falling back to library.js file path...`);
  265. }
  266. let namespace;
  267. if (libraryNs) {
  268. // Maven placeholders can only exist in manifest.json or .library configuration
  269. if (this._hasMavenPlaceholder(libraryNs)) {
  270. try {
  271. libraryNs = await this._resolveMavenPlaceholder(libraryNs);
  272. } catch (err) {
  273. throw new Error(
  274. `Failed to resolve namespace maven placeholder of project ` +
  275. `${this.getName()}: ${err.message}`);
  276. }
  277. }
  278. namespace = libraryNs.replace(/\./g, "/");
  279. if (namespacePath === "/") {
  280. this._log.verbose(`Detected flat library source structure for project ${this.getName()}`);
  281. this._isSourceNamespaced = false;
  282. } else {
  283. namespacePath = namespacePath.replace("/", ""); // remove leading slash
  284. if (namespacePath !== namespace) {
  285. throw new Error(
  286. `Detected namespace "${namespace}" does not match detected directory ` +
  287. `structure "${namespacePath}" for project ${this.getName()}`);
  288. }
  289. }
  290. } else {
  291. try {
  292. const libraryJsPath = await this._getLibraryJsPath();
  293. namespacePath = posixPath.dirname(libraryJsPath);
  294. namespace = namespacePath.replace("/", ""); // remove leading slash
  295. if (namespace === "") {
  296. throw new Error(`Found library.js file in root directory. ` +
  297. `Expected it to be in namespace directory.`);
  298. }
  299. this._log.verbose(
  300. `Deriving namespace for project ${this.getName()} from ` +
  301. `path of library.js file`);
  302. } catch (err) {
  303. this._log.verbose(
  304. `Namespace resolution from library.js file path failed for project ` +
  305. `${this.getName()}: ${err.message}`);
  306. }
  307. }
  308. if (!namespace) {
  309. throw new Error(`Failed to detect namespace or namespace is empty for ` +
  310. `project ${this.getName()}. Check verbose log for details.`);
  311. }
  312. this._log.verbose(
  313. `Namespace of project ${this.getName()} is ${namespace}`);
  314. return namespace;
  315. }
  316. async _getNamespaceFromManifest() {
  317. try {
  318. const {content: manifest, filePath} = await this._getManifest();
  319. // check for a proper sap.app/id in manifest.json to determine namespace
  320. if (manifest["sap.app"] && manifest["sap.app"].id) {
  321. const namespace = manifest["sap.app"].id;
  322. this._log.verbose(
  323. `Found namespace ${namespace} in manifest.json of project ${this.getName()} ` +
  324. `at ${filePath}`);
  325. return {
  326. namespace,
  327. filePath
  328. };
  329. } else {
  330. throw new Error(
  331. `No sap.app/id configuration found in manifest.json of project ${this.getName()} ` +
  332. `at ${filePath}`);
  333. }
  334. } catch (err) {
  335. this._log.verbose(
  336. `Namespace resolution from manifest.json failed for project ` +
  337. `${this.getName()}: ${err.message}`);
  338. }
  339. return {};
  340. }
  341. async _getNamespaceFromDotLibrary() {
  342. try {
  343. const {content: dotLibrary, filePath} = await this._getDotLibrary();
  344. const namespace = dotLibrary?.library?.name?._;
  345. if (namespace) {
  346. this._log.verbose(
  347. `Found namespace ${namespace} in .library file of project ${this.getName()} ` +
  348. `at ${filePath}`);
  349. return {
  350. namespace,
  351. filePath
  352. };
  353. } else {
  354. throw new Error(
  355. `No library name found in .library of project ${this.getName()} ` +
  356. `at ${filePath}`);
  357. }
  358. } catch (err) {
  359. this._log.verbose(
  360. `Namespace resolution from .library failed for project ` +
  361. `${this.getName()}: ${err.message}`);
  362. }
  363. return {};
  364. }
  365. /**
  366. * Determines library copyright from given project configuration with fallback to .library.
  367. *
  368. * @returns {string|null} Copyright of the project
  369. */
  370. async _getCopyrightFromDotLibrary() {
  371. try {
  372. // If no copyright replacement was provided by ui5.yaml,
  373. // check if the .library file has a valid copyright replacement
  374. const {content: dotLibrary, filePath} = await this._getDotLibrary();
  375. if (dotLibrary?.library?.copyright?._) {
  376. this._log.verbose(
  377. `Using copyright from ${filePath} for project ${this.getName()}...`);
  378. return dotLibrary.library.copyright._;
  379. } else {
  380. this._log.verbose(
  381. `No copyright configuration found in ${filePath} ` +
  382. `of project ${this.getName()}`);
  383. return null;
  384. }
  385. } catch (err) {
  386. this._log.verbose(
  387. `Copyright determination from .library failed for project ` +
  388. `${this.getName()}: ${err.message}`);
  389. return null;
  390. }
  391. }
  392. async _getPreloadExcludesFromDotLibrary() {
  393. const {content: dotLibrary, filePath} = await this._getDotLibrary();
  394. let excludes = dotLibrary?.library?.appData?.packaging?.["all-in-one"]?.exclude;
  395. if (excludes) {
  396. if (!Array.isArray(excludes)) {
  397. excludes = [excludes];
  398. }
  399. this._log.verbose(
  400. `Found ${excludes.length} preload excludes in .library file of ` +
  401. `project ${this.getName()} at ${filePath}`);
  402. return excludes.map((exclude) => {
  403. return exclude.$.name;
  404. });
  405. } else {
  406. this._log.verbose(
  407. `No preload excludes found in .library of project ${this.getName()} ` +
  408. `at ${filePath}`);
  409. return null;
  410. }
  411. }
  412. /**
  413. * Reads the projects manifest.json
  414. *
  415. * @returns {Promise<object>} resolves with an object containing the <code>content</code> (as JSON) and
  416. * <code>filePath</code> (as string) of the manifest.json file
  417. */
  418. async _getManifest() {
  419. if (this._pManifest) {
  420. return this._pManifest;
  421. }
  422. return this._pManifest = this._getRawSourceReader().byGlob("**/manifest.json")
  423. .then(async (manifestResources) => {
  424. if (!manifestResources.length) {
  425. throw new Error(`Could not find manifest.json file for project ${this.getName()}`);
  426. }
  427. if (manifestResources.length > 1) {
  428. throw new Error(`Found multiple (${manifestResources.length}) manifest.json files ` +
  429. `for project ${this.getName()}`);
  430. }
  431. const resource = manifestResources[0];
  432. try {
  433. return {
  434. content: JSON.parse(await resource.getString()),
  435. filePath: resource.getPath()
  436. };
  437. } catch (err) {
  438. throw new Error(
  439. `Failed to read ${resource.getPath()} for project ${this.getName()}: ${err.message}`);
  440. }
  441. });
  442. }
  443. /**
  444. * Reads the .library file
  445. *
  446. * @returns {Promise<object>} resolves with an object containing the <code>content</code> (as JSON) and
  447. * <code>filePath</code> (as string) of the .library file
  448. */
  449. async _getDotLibrary() {
  450. if (this._pDotLibrary) {
  451. return this._pDotLibrary;
  452. }
  453. return this._pDotLibrary = this._getRawSourceReader().byGlob("**/.library")
  454. .then(async (dotLibraryResources) => {
  455. if (!dotLibraryResources.length) {
  456. throw new Error(`Could not find .library file for project ${this.getName()}`);
  457. }
  458. if (dotLibraryResources.length > 1) {
  459. throw new Error(`Found multiple (${dotLibraryResources.length}) .library files ` +
  460. `for project ${this.getName()}`);
  461. }
  462. const resource = dotLibraryResources[0];
  463. const content = await resource.getString();
  464. try {
  465. const {
  466. default: xml2js
  467. } = await import("xml2js");
  468. const parser = new xml2js.Parser({
  469. explicitArray: false,
  470. explicitCharkey: true
  471. });
  472. const readXML = promisify(parser.parseString);
  473. return {
  474. content: await readXML(content),
  475. filePath: resource.getPath()
  476. };
  477. } catch (err) {
  478. throw new Error(
  479. `Failed to read ${resource.getPath()} for project ${this.getName()}: ${err.message}`);
  480. }
  481. });
  482. }
  483. /**
  484. * Determines the path of the library.js file
  485. *
  486. * @returns {Promise<string>} resolves with an a string containing the file system path
  487. * of the library.js file
  488. */
  489. async _getLibraryJsPath() {
  490. if (this._pLibraryJs) {
  491. return this._pLibraryJs;
  492. }
  493. return this._pLibraryJs = this._getRawSourceReader().byGlob("**/library.js")
  494. .then(async (libraryJsResources) => {
  495. if (!libraryJsResources.length) {
  496. throw new Error(`Could not find library.js file for project ${this.getName()}`);
  497. }
  498. if (libraryJsResources.length > 1) {
  499. throw new Error(`Found multiple (${libraryJsResources.length}) library.js files ` +
  500. `for project ${this.getName()}`);
  501. }
  502. // Content is not yet relevant, so don't read it
  503. return libraryJsResources[0].getPath();
  504. });
  505. }
  506. }
  507. export default Library;