fs/lib/resourceFactory.js

  1. import path from "node:path";
  2. import {minimatch} from "minimatch";
  3. import DuplexCollection from "./DuplexCollection.js";
  4. import FsAdapter from "./adapters/FileSystem.js";
  5. import MemAdapter from "./adapters/Memory.js";
  6. import ReaderCollection from "./ReaderCollection.js";
  7. import ReaderCollectionPrioritized from "./ReaderCollectionPrioritized.js";
  8. import Resource from "./Resource.js";
  9. import WriterCollection from "./WriterCollection.js";
  10. import Filter from "./readers/Filter.js";
  11. import Link from "./readers/Link.js";
  12. import {getLogger} from "@ui5/logger";
  13. const log = getLogger("resources:resourceFactory");
  14. /**
  15. * @module @ui5/fs/resourceFactory
  16. * @description A collection of resource related APIs
  17. * @public
  18. */
  19. /**
  20. * Creates a resource <code>ReaderWriter</code>.
  21. *
  22. * If a file system base path is given, file system resource <code>ReaderWriter</code> is returned.
  23. * In any other case a virtual one.
  24. *
  25. * @public
  26. * @param {object} parameters Parameters
  27. * @param {string} parameters.virBasePath Virtual base path. Must be absolute, POSIX-style, and must end with a slash
  28. * @param {string} [parameters.fsBasePath]
  29. * File System base path.
  30. * If this parameter is supplied, a File System adapter will be created instead of a Memory adapter.
  31. * The provided path must be absolute and must use platform-specific path segment separators.
  32. * @param {string[]} [parameters.excludes] List of glob patterns to exclude
  33. * @param {object} [parameters.useGitignore=false]
  34. * Whether to apply any excludes defined in an optional .gitignore in the base directory.
  35. * This parameter only takes effect in conjunction with the <code>fsBasePath</code> parameter.
  36. * @param {@ui5/project/specifications/Project} [parameters.project] Project this adapter belongs to (if any)
  37. * @returns {@ui5/fs/adapters/FileSystem|@ui5/fs/adapters/Memory} File System- or Virtual Adapter
  38. */
  39. export function createAdapter({fsBasePath, virBasePath, project, excludes, useGitignore}) {
  40. if (fsBasePath) {
  41. return new FsAdapter({fsBasePath, virBasePath, project, excludes, useGitignore});
  42. } else {
  43. return new MemAdapter({virBasePath, project, excludes});
  44. }
  45. }
  46. /**
  47. * Creates a File System adapter and wraps it in a ReaderCollection
  48. *
  49. * @public
  50. * @param {object} parameters Parameters
  51. * @param {string} parameters.virBasePath Virtual base path. Must be absolute, POSIX-style, and must end with a slash
  52. * @param {string} parameters.fsBasePath
  53. * File System base path. Must be absolute and must use platform-specific path segment separators
  54. * @param {object} [parameters.project] Experimental, internal parameter. Do not use
  55. * @param {string[]} [parameters.excludes] List of glob patterns to exclude
  56. * @param {string} [parameters.name] Name for the reader collection
  57. * @returns {@ui5/fs/ReaderCollection} Reader collection wrapping an adapter
  58. */
  59. export function createReader({fsBasePath, virBasePath, project, excludes = [], name}) {
  60. if (!fsBasePath) {
  61. // Creating a reader with a memory adapter seems pointless right now
  62. // since there would be no way to fill the adapter with resources
  63. throw new Error(`Unable to create reader: Missing parameter "fsBasePath"`);
  64. }
  65. let normalizedExcludes = excludes;
  66. // If a project is supplied, and that project is of type application,
  67. // Prefix all exclude patterns with the virtual base path (unless it already starts with that)
  68. // TODO 4.0: // TODO specVersion 4.0: Disallow excludes without namespaced prefix in configuration
  69. // Specifying an exclude for "/test" is disambigous as it neither reflects the source path nor the
  70. // ui5 runtime path of the excluded resources. Therefore, only allow paths like /resources/<namespace>/test
  71. // starting with specVersion 4.0
  72. if (excludes.length && project && project.getType() === "application") {
  73. normalizedExcludes = excludes.map((pattern) => {
  74. if (pattern.startsWith(virBasePath) || pattern.startsWith("!" + virBasePath)) {
  75. return pattern;
  76. }
  77. log.verbose(
  78. `Prefixing exclude pattern defined in application project ${project.getName()}: ${pattern}`);
  79. return prefixGlobPattern(pattern, virBasePath);
  80. });
  81. // Flatten list of patterns
  82. normalizedExcludes = Array.prototype.concat.apply([], normalizedExcludes);
  83. log.verbose(`Effective exclude patterns for application project ${project.getName()}:\n` +
  84. normalizedExcludes.join(", "));
  85. }
  86. return new ReaderCollection({
  87. name,
  88. readers: [createAdapter({
  89. fsBasePath,
  90. virBasePath,
  91. project,
  92. excludes: normalizedExcludes
  93. })]
  94. });
  95. }
  96. /**
  97. * Creates a ReaderCollection
  98. *
  99. * @public
  100. * @param {object} parameters Parameters
  101. * @param {string} parameters.name The collection name
  102. * @param {@ui5/fs/AbstractReader[]} parameters.readers List of resource readers (all tried in parallel)
  103. * @returns {@ui5/fs/ReaderCollection} Reader collection wrapping provided readers
  104. */
  105. export function createReaderCollection({name, readers}) {
  106. return new ReaderCollection({
  107. name,
  108. readers
  109. });
  110. }
  111. /**
  112. * Creates a ReaderCollectionPrioritized
  113. *
  114. * @public
  115. * @param {object} parameters
  116. * @param {string} parameters.name The collection name
  117. * @param {@ui5/fs/AbstractReader[]} parameters.readers Prioritized list of resource readers
  118. * (first is tried first)
  119. * @returns {@ui5/fs/ReaderCollectionPrioritized} Reader collection wrapping provided readers
  120. */
  121. export function createReaderCollectionPrioritized({name, readers}) {
  122. return new ReaderCollectionPrioritized({
  123. name,
  124. readers
  125. });
  126. }
  127. /**
  128. * Creates a WriterCollection
  129. *
  130. * @public
  131. * @param {object} parameters
  132. * @param {string} parameters.name The collection name
  133. * @param {object.<string, @ui5/fs/AbstractReaderWriter>} parameters.writerMapping Mapping of virtual base
  134. * paths to writers. Path are matched greedy
  135. * @returns {@ui5/fs/WriterCollection} Writer collection wrapping provided writers
  136. */
  137. export function createWriterCollection({name, writerMapping}) {
  138. return new WriterCollection({
  139. name,
  140. writerMapping
  141. });
  142. }
  143. /**
  144. * Creates a [Resource]{@link @ui5/fs/Resource}.
  145. * Accepts the same parameters as the [Resource]{@link @ui5/fs/Resource} constructor.
  146. *
  147. * @public
  148. * @param {object} parameters Parameters to be passed to the resource constructor
  149. * @returns {@ui5/fs/Resource} Resource
  150. */
  151. export function createResource(parameters) {
  152. return new Resource(parameters);
  153. }
  154. /**
  155. * Creates a Workspace
  156. *
  157. * A workspace is a DuplexCollection which reads from the project sources. It is used during the build process
  158. * to write modified files into a separate writer, this is usually a Memory adapter. If a file already exists it is
  159. * fetched from the memory to work on it in further build steps.
  160. *
  161. * @public
  162. * @param {object} parameters
  163. * @param {@ui5/fs/AbstractReader} parameters.reader Single reader or collection of readers
  164. * @param {@ui5/fs/AbstractReaderWriter} [parameters.writer] A ReaderWriter instance which is
  165. * only used for writing files. If not supplied, a Memory adapter will be created.
  166. * @param {string} [parameters.name="workspace"] Name of the collection
  167. * @param {string} [parameters.virBasePath="/"] Virtual base path
  168. * @returns {@ui5/fs/DuplexCollection} DuplexCollection which wraps the provided resource locators
  169. */
  170. export function createWorkspace({reader, writer, virBasePath = "/", name = "workspace"}) {
  171. if (!writer) {
  172. writer = new MemAdapter({
  173. virBasePath
  174. });
  175. }
  176. return new DuplexCollection({
  177. reader,
  178. writer,
  179. name
  180. });
  181. }
  182. /**
  183. * Create a [Filter-Reader]{@link @ui5/fs/readers/Filter} with the given reader.
  184. * The provided callback is called for every resource that is retrieved through the
  185. * reader and decides whether the resource shall be passed on or dropped.
  186. *
  187. * @public
  188. * @param {object} parameters
  189. * @param {@ui5/fs/AbstractReader} parameters.reader Single reader or collection of readers
  190. * @param {@ui5/fs/readers/Filter~callback} parameters.callback
  191. * Filter function. Will be called for every resource passed through this reader.
  192. * @returns {@ui5/fs/readers/Filter} Reader instance
  193. */
  194. export function createFilterReader(parameters) {
  195. return new Filter(parameters);
  196. }
  197. /**
  198. * Create a [Link-Reader]{@link @ui5/fs/readers/Filter} with the given reader.
  199. * The provided path mapping allows for rewriting paths segments of all resources passed through it.
  200. *
  201. * @example
  202. * import {createLinkReader} from "@ui5/fs/resourceFactory";
  203. * const linkedReader = createLinkReader({
  204. * reader: sourceReader,
  205. * pathMapping: {
  206. * linkPath: `/app`,
  207. * targetPath: `/resources/my-app-name/`
  208. * }
  209. * });
  210. *
  211. * // The following resolves with a @ui5/fs/ResourceFacade of the resource
  212. * // located at "/resources/my-app-name/Component.js" in the sourceReader
  213. * const resource = await linkedReader.byPath("/app/Component.js");
  214. *
  215. * @public
  216. * @param {object} parameters
  217. * @param {@ui5/fs/AbstractReader} parameters.reader Single reader or collection of readers
  218. * @param {@ui5/fs/readers/Link/PathMapping} parameters.pathMapping
  219. * @returns {@ui5/fs/readers/Link} Reader instance
  220. */
  221. export function createLinkReader(parameters) {
  222. return new Link(parameters);
  223. }
  224. /**
  225. * Create a [Link-Reader]{@link @ui5/fs/readers/Link} where all requests are prefixed with
  226. * <code>/resources/<namespace></code>.
  227. *
  228. * This simulates "flat" resource access, which is for example common for projects of type
  229. * "application".
  230. *
  231. * @public
  232. * @param {object} parameters
  233. * @param {@ui5/fs/AbstractReader} parameters.reader Single reader or collection of readers
  234. * @param {string} parameters.namespace Project namespace
  235. * @returns {@ui5/fs/readers/Link} Reader instance
  236. */
  237. export function createFlatReader({reader, namespace}) {
  238. return new Link({
  239. reader: reader,
  240. pathMapping: {
  241. linkPath: `/`,
  242. targetPath: `/resources/${namespace}/`
  243. }
  244. });
  245. }
  246. /**
  247. * Normalizes virtual glob patterns by prefixing them with
  248. * a given virtual base directory path
  249. *
  250. * @param {string} virPattern glob pattern for virtual directory structure
  251. * @param {string} virBaseDir virtual base directory path to prefix the given patterns with
  252. * @returns {string[]} A list of normalized glob patterns
  253. */
  254. export function prefixGlobPattern(virPattern, virBaseDir) {
  255. const mm = new minimatch.Minimatch(virPattern);
  256. const resultGlobs = [];
  257. for (let i = 0; i < mm.globSet.length; i++) {
  258. let resultPattern = path.posix.join(virBaseDir, mm.globSet[i]);
  259. if (mm.negate) {
  260. resultPattern = "!" + resultPattern;
  261. }
  262. resultGlobs.push(resultPattern);
  263. }
  264. return resultGlobs;
  265. }