project/lib/specifications/Specification.js

  1. import path from "node:path";
  2. import {getLogger} from "@ui5/logger";
  3. import {createReader} from "@ui5/fs/resourceFactory";
  4. import SpecificationVersion from "./SpecificationVersion.js";
  5. /**
  6. * Abstract superclass for all projects and extensions
  7. *
  8. * @public
  9. * @abstract
  10. * @class
  11. * @alias @ui5/project/specifications/Specification
  12. * @hideconstructor
  13. */
  14. class Specification {
  15. /**
  16. * Create a Specification instance for the given parameters
  17. *
  18. * @param {object} parameters
  19. * @param {string} parameters.id Unique ID
  20. * @param {string} parameters.version Version
  21. * @param {string} parameters.modulePath Absolute File System path to access resources
  22. * @param {object} parameters.configuration
  23. * Type-dependent configuration object. Typically defined in a ui5.yaml
  24. * @static
  25. * @public
  26. */
  27. static async create(parameters) {
  28. if (!parameters.configuration) {
  29. throw new Error(
  30. `Unable to create Specification instance: Missing configuration parameter`);
  31. }
  32. const {kind, type} = parameters.configuration;
  33. if (!["project", "extension"].includes(kind)) {
  34. throw new Error(`Unable to create Specification instance: Unknown kind '${kind}'`);
  35. }
  36. switch (type) {
  37. case "application": {
  38. return createAndInitializeSpec("types/Application.js", parameters);
  39. }
  40. case "library": {
  41. return createAndInitializeSpec("types/Library.js", parameters);
  42. }
  43. case "theme-library": {
  44. return createAndInitializeSpec("types/ThemeLibrary.js", parameters);
  45. }
  46. case "module": {
  47. return createAndInitializeSpec("types/Module.js", parameters);
  48. }
  49. case "task": {
  50. return createAndInitializeSpec("extensions/Task.js", parameters);
  51. }
  52. case "server-middleware": {
  53. return createAndInitializeSpec("extensions/ServerMiddleware.js", parameters);
  54. }
  55. case "project-shim": {
  56. return createAndInitializeSpec("extensions/ProjectShim.js", parameters);
  57. }
  58. default:
  59. throw new Error(
  60. `Unable to create Specification instance: Unknown specification type '${type}'`);
  61. }
  62. }
  63. constructor() {
  64. if (new.target === Specification) {
  65. throw new TypeError("Class 'Specification' is abstract. Please use one of the 'types' subclasses");
  66. }
  67. this._log = getLogger(`specifications:types:${this.constructor.name}`);
  68. }
  69. /**
  70. * @param {object} parameters Specification parameters
  71. * @param {string} parameters.id Unique ID
  72. * @param {string} parameters.version Version
  73. * @param {string} parameters.modulePath Absolute File System path to access resources
  74. * @param {object} parameters.configuration Configuration object
  75. */
  76. async init({id, version, modulePath, configuration}) {
  77. if (!id) {
  78. throw new Error(`Could not create Specification: Missing or empty parameter 'id'`);
  79. }
  80. if (!version) {
  81. throw new Error(`Could not create Specification: Missing or empty parameter 'version'`);
  82. }
  83. if (!modulePath) {
  84. throw new Error(`Could not create Specification: Missing or empty parameter 'modulePath'`);
  85. }
  86. if (!path.isAbsolute(modulePath)) {
  87. throw new Error(`Could not create Specification: Parameter 'modulePath' must contain an absolute path`);
  88. }
  89. if (!configuration) {
  90. throw new Error(`Could not create Specification: Missing or empty parameter 'configuration'`);
  91. }
  92. this._version = version;
  93. this._modulePath = modulePath;
  94. // The ID property is filled from the provider (e.g. package.json "name") and might differ between providers.
  95. // It is mainly used to detect framework libraries marked by @openui5 / @sapui5 scopes of npm package.
  96. // (see Project#isFrameworkProject)
  97. // In general, the configured name (metadata.name) should be used instead as the unique identifier of a project.
  98. this.__id = id;
  99. // Deep clone config to prevent changes by reference
  100. const config = JSON.parse(JSON.stringify(configuration));
  101. const {validate} = await import("../validation/validator.js");
  102. if (SpecificationVersion.major(config.specVersion) <= 1) {
  103. const originalSpecVersion = config.specVersion;
  104. this._log.verbose(`Detected legacy Specification Version ${config.specVersion}, defined for ` +
  105. `${config.kind} ${config.metadata.name}. ` +
  106. `Attempting to migrate the project to a supported specification version...`);
  107. this._migrateLegacyProject(config);
  108. try {
  109. await validate({
  110. config,
  111. project: {
  112. id
  113. }
  114. });
  115. } catch (err) {
  116. this._log.verbose(
  117. `Validation error after migration of ${config.kind} ${config.metadata.name}:`);
  118. this._log.verbose(err.message);
  119. throw new Error(
  120. `${config.kind} ${config.metadata.name} defines unsupported Specification Version ` +
  121. `${originalSpecVersion}. Please manually upgrade to 3.0 or higher. ` +
  122. `For details see https://sap.github.io/ui5-tooling/pages/Configuration/#specification-versions - ` +
  123. `An attempted migration to a supported specification version failed, ` +
  124. `likely due to unrecognized configuration. Check verbose log for details.`);
  125. }
  126. } else {
  127. await validate({
  128. config,
  129. project: {
  130. id
  131. }
  132. });
  133. }
  134. // Check whether the given configuration matches the class by guessing the type name from the class name
  135. if (config.type.replace("-", "") !== this.constructor.name.toLowerCase()) {
  136. throw new Error(
  137. `Configuration mismatch: Supplied configuration of type '${config.type}' does not match with ` +
  138. `specification class ${this.constructor.name}`);
  139. }
  140. this._name = config.metadata.name;
  141. this._kind = config.kind;
  142. this._type = config.type;
  143. this._specVersionString = config.specVersion;
  144. this._specVersion = new SpecificationVersion(this._specVersionString);
  145. this._config = config;
  146. return this;
  147. }
  148. /* === Attributes === */
  149. /**
  150. * Gets the ID of this specification.
  151. *
  152. * <p><b>Note: </b>Only to be used for special occasions as it is specific to the provider that was used and does
  153. * not necessarily represent something defined by the project.</p>
  154. *
  155. * For general purposes of a unique identifier use
  156. * {@link @ui5/project/specifications/Specification#getName getName} instead.
  157. *
  158. * @public
  159. * @returns {string} Specification ID
  160. */
  161. getId() {
  162. return this.__id;
  163. }
  164. /**
  165. * Gets the name of this specification. Represents a unique identifier.
  166. *
  167. * @public
  168. * @returns {string} Specification name
  169. */
  170. getName() {
  171. return this._name;
  172. }
  173. /**
  174. * Gets the kind of this specification, for example <code>project</code> or <code>extension</code>
  175. *
  176. * @public
  177. * @returns {string} Specification kind
  178. */
  179. getKind() {
  180. return this._kind;
  181. }
  182. /**
  183. * Gets the type of this specification,
  184. * for example <code>application</code> or <code>library</code> in case of projects,
  185. * and <code>task</code> or <code>server-middleware</code> in case of extensions
  186. *
  187. * @public
  188. * @returns {string} Specification type
  189. */
  190. getType() {
  191. return this._type;
  192. }
  193. /**
  194. * Returns an instance of a helper class representing a Specification Version
  195. *
  196. * @public
  197. * @returns {@ui5/project/specifications/SpecificationVersion}
  198. */
  199. getSpecVersion() {
  200. return this._specVersion;
  201. }
  202. /**
  203. * Gets the specification's generic version, as typically defined in a <code>package.json</code>
  204. *
  205. * @public
  206. * @returns {string} Project version
  207. */
  208. getVersion() {
  209. return this._version;
  210. }
  211. /**
  212. * Gets the specification's file system path. This might not be POSIX-style on some platforms
  213. *
  214. * @public
  215. * @returns {string} Project root path
  216. */
  217. getRootPath() {
  218. return this._modulePath;
  219. }
  220. /* === Resource Access === */
  221. /**
  222. * Gets a [ReaderCollection]{@link @ui5/fs/ReaderCollection} for the root directory of the specification.
  223. * Resource readers always use POSIX-style
  224. *
  225. * @public
  226. * @param {object} [parameters] Parameters
  227. * @param {object} [parameters.useGitignore=true]
  228. * Whether to apply any excludes defined in an optional .gitignore in the root directory
  229. * @returns {@ui5/fs/ReaderCollection} Reader collection
  230. */
  231. getRootReader({useGitignore=true} = {}) {
  232. return createReader({
  233. fsBasePath: this.getRootPath(),
  234. virBasePath: "/",
  235. name: `Root reader for ${this.getType()} ${this.getKind()} ${this.getName()}`,
  236. useGitignore
  237. });
  238. }
  239. /* === Internals === */
  240. /* === Helper === */
  241. /**
  242. * @private
  243. * @param {string} dirPath Directory path, relative to the specification root
  244. */
  245. async _dirExists(dirPath) {
  246. const resource = await this.getRootReader().byPath(dirPath, {nodir: false});
  247. if (resource && resource.getStatInfo().isDirectory()) {
  248. return true;
  249. }
  250. return false;
  251. }
  252. _migrateLegacyProject(config) {
  253. // Stick to 2.6 since 3.0 adds further restrictions (i.e. for the name) and enables
  254. // functionality for extensions that shouldn't be enabled if the specVersion is not
  255. // explicitly set to 3.x
  256. config.specVersion = "2.6";
  257. // propertiesFileSourceEncoding (relevant for applications and libraries) default
  258. // has been changed to UTF-8 with specVersion 2.0
  259. // Adding back the old default if no configuration is provided.
  260. if (config.kind === "project" && ["application", "library"].includes(config.type) &&
  261. !config.resources?.configuration?.propertiesFileSourceEncoding) {
  262. config.resources = config.resources || {};
  263. config.resources.configuration = config.resources.configuration || {};
  264. config.resources.configuration.propertiesFileSourceEncoding = "ISO-8859-1";
  265. }
  266. }
  267. }
  268. async function createAndInitializeSpec(moduleName, params) {
  269. const {default: Spec} = await import(`./${moduleName}`);
  270. return new Spec().init(params);
  271. }
  272. export default Specification;