fs/lib/adapters/FileSystem.js

  1. import {getLogger} from "@ui5/logger";
  2. const log = getLogger("resources:adapters:FileSystem");
  3. import path from "node:path";
  4. import {promisify} from "node:util";
  5. import fs from "graceful-fs";
  6. const copyFile = promisify(fs.copyFile);
  7. const chmod = promisify(fs.chmod);
  8. const mkdir = promisify(fs.mkdir);
  9. const stat = promisify(fs.stat);
  10. import {globby, isGitIgnored} from "globby";
  11. import {PassThrough} from "node:stream";
  12. import AbstractAdapter from "./AbstractAdapter.js";
  13. const READ_ONLY_MODE = 0o444;
  14. const ADAPTER_NAME = "FileSystem";
  15. /**
  16. * File system resource adapter
  17. *
  18. * @public
  19. * @class
  20. * @alias @ui5/fs/adapters/FileSystem
  21. * @extends @ui5/fs/adapters/AbstractAdapter
  22. */
  23. class FileSystem extends AbstractAdapter {
  24. /**
  25. * The Constructor.
  26. *
  27. * @param {object} parameters Parameters
  28. * @param {string} parameters.virBasePath
  29. * Virtual base path. Must be absolute, POSIX-style, and must end with a slash
  30. * @param {string} parameters.fsBasePath
  31. * File System base 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 given <code>fsBasePath</code> directory
  35. * @param {@ui5/project/specifications/Project} [parameters.project] Project this adapter belongs to (if any)
  36. */
  37. constructor({virBasePath, project, fsBasePath, excludes, useGitignore=false}) {
  38. super({virBasePath, project, excludes});
  39. if (!fsBasePath) {
  40. throw new Error(`Unable to create adapter: Missing parameter 'fsBasePath'`);
  41. }
  42. // Ensure path is resolved to an absolute path, ending with a slash (or backslash on Windows)
  43. // path.resolve will always remove any trailing segment separator
  44. this._fsBasePath = path.join(path.resolve(fsBasePath), path.sep);
  45. this._useGitignore = !!useGitignore;
  46. }
  47. /**
  48. * Locate resources by glob.
  49. *
  50. * @private
  51. * @param {Array} patterns Array of glob patterns
  52. * @param {object} [options={}] glob options
  53. * @param {boolean} [options.nodir=true] Do not match directories
  54. * @param {@ui5/fs/tracing.Trace} trace Trace instance
  55. * @returns {Promise<@ui5/fs/Resource[]>} Promise resolving to list of resources
  56. */
  57. async _runGlob(patterns, options = {nodir: true}, trace) {
  58. const opt = {
  59. cwd: this._fsBasePath,
  60. dot: true,
  61. onlyFiles: options.nodir,
  62. followSymbolicLinks: false,
  63. gitignore: this._useGitignore,
  64. };
  65. trace.globCall();
  66. const promises = [];
  67. if (!opt.onlyFiles && patterns.includes("")) { // Match physical root directory
  68. promises.push(new Promise((resolve, reject) => {
  69. fs.stat(this._fsBasePath, (err, stat) => {
  70. if (err) {
  71. reject(err);
  72. } else {
  73. resolve(this._createResource({
  74. project: this._project,
  75. statInfo: stat,
  76. path: this._virBaseDir,
  77. sourceMetadata: {
  78. adapter: ADAPTER_NAME,
  79. fsPath: this._fsBasePath
  80. },
  81. createStream: () => {
  82. return fs.createReadStream(this._fsBasePath);
  83. }
  84. }));
  85. }
  86. });
  87. }));
  88. }
  89. // Remove empty string glob patterns
  90. // Starting with globby v8 or v9 empty glob patterns "" act like "**"
  91. // Micromatch throws on empty strings. We just ignore them since they are
  92. // typically caused by our normalization in the AbstractAdapter
  93. const globbyPatterns = patterns.filter((pattern) => {
  94. return pattern !== "";
  95. });
  96. if (globbyPatterns.length > 0) {
  97. const matches = await globby(globbyPatterns, opt);
  98. for (let i = matches.length - 1; i >= 0; i--) {
  99. promises.push(new Promise((resolve, reject) => {
  100. const virPath = (this._virBasePath + matches[i]);
  101. const relPath = this._resolveVirtualPathToBase(virPath);
  102. if (relPath === null) {
  103. // Match is likely outside adapter base path
  104. log.verbose(
  105. `Failed to resolve virtual path of glob match '${virPath}': Path must start with ` +
  106. `the configured virtual base path of the adapter. Base path: '${this._virBasePath}'`);
  107. resolve(null);
  108. }
  109. const fsPath = this._resolveToFileSystem(relPath);
  110. // Workaround for not getting the stat from the glob
  111. fs.stat(fsPath, (err, stat) => {
  112. if (err) {
  113. reject(err);
  114. } else {
  115. resolve(this._createResource({
  116. project: this._project,
  117. statInfo: stat,
  118. path: virPath,
  119. sourceMetadata: {
  120. adapter: ADAPTER_NAME,
  121. fsPath: fsPath
  122. },
  123. createStream: () => {
  124. return fs.createReadStream(fsPath);
  125. }
  126. }));
  127. }
  128. });
  129. }));
  130. }
  131. }
  132. const results = await Promise.all(promises);
  133. // Flatten results
  134. return Array.prototype.concat.apply([], results).filter(($) => $);
  135. }
  136. /**
  137. * Locate a resource by path.
  138. *
  139. * @private
  140. * @param {string} virPath Absolute virtual path
  141. * @param {object} options Options
  142. * @param {@ui5/fs/tracing.Trace} trace Trace instance
  143. * @returns {Promise<@ui5/fs/Resource>} Promise resolving to a single resource or null if not found
  144. */
  145. async _byPath(virPath, options, trace) {
  146. const relPath = this._resolveVirtualPathToBase(virPath);
  147. if (relPath === null) {
  148. // Neither starts with basePath, nor equals baseDirectory
  149. if (!options.nodir && this._virBasePath.startsWith(virPath)) {
  150. // Create virtual directories for the virtual base path (which has to exist)
  151. // TODO: Maybe improve this by actually matching the base paths segments to the virPath
  152. return this._createResource({
  153. project: this._project,
  154. statInfo: { // TODO: make closer to fs stat info
  155. isDirectory: function() {
  156. return true;
  157. }
  158. },
  159. path: virPath
  160. });
  161. } else {
  162. return null;
  163. }
  164. }
  165. const fsPath = this._resolveToFileSystem(relPath);
  166. trace.pathCall();
  167. if (this._useGitignore) {
  168. if (!this._isGitIgnored) {
  169. this._isGitIgnored = await isGitIgnored({
  170. cwd: this._fsBasePath
  171. });
  172. }
  173. // Check whether path should be ignored
  174. if (this._isGitIgnored(fsPath)) {
  175. // Path is ignored by .gitignore
  176. return null;
  177. }
  178. }
  179. try {
  180. const statInfo = await stat(fsPath);
  181. if (options.nodir && statInfo.isDirectory()) {
  182. return null;
  183. }
  184. const resourceOptions = {
  185. project: this._project,
  186. statInfo,
  187. path: virPath,
  188. sourceMetadata: {
  189. adapter: ADAPTER_NAME,
  190. fsPath
  191. }
  192. };
  193. if (!statInfo.isDirectory()) {
  194. // Add content as lazy stream
  195. resourceOptions.createStream = function() {
  196. return fs.createReadStream(fsPath);
  197. };
  198. }
  199. return this._createResource(resourceOptions);
  200. } catch (err) {
  201. if (err.code === "ENOENT") { // "File or directory does not exist"
  202. return null;
  203. } else {
  204. throw err;
  205. }
  206. }
  207. }
  208. /**
  209. * Writes the content of a resource to a path.
  210. *
  211. * @private
  212. * @param {@ui5/fs/Resource} resource Resource to write
  213. * @param {object} [options]
  214. * @param {boolean} [options.readOnly] Whether the resource content shall be written read-only
  215. * Do not use in conjunction with the <code>drain</code> option.
  216. * The written file will be used as the new source of this resources content.
  217. * Therefore the written file should not be altered by any means.
  218. * Activating this option might improve overall memory consumption.
  219. * @param {boolean} [options.drain] Whether the resource content shall be emptied during the write process.
  220. * Do not use in conjunction with the <code>readOnly</code> option.
  221. * Activating this option might improve overall memory consumption.
  222. * This should be used in cases where this is the last access to the resource.
  223. * E.g. the final write of a resource after all processing is finished.
  224. * @returns {Promise<undefined>} Promise resolving once data has been written
  225. */
  226. async _write(resource, {drain, readOnly}) {
  227. resource = this._migrateResource(resource);
  228. if (resource instanceof Promise) {
  229. // Only await if the migrate function returned a promise
  230. // Otherwise await would automatically create a Promise, causing unwanted overhead
  231. resource = await resource;
  232. }
  233. this._assignProjectToResource(resource);
  234. if (drain && readOnly) {
  235. throw new Error(`Error while writing resource ${resource.getPath()}: ` +
  236. "Do not use options 'drain' and 'readOnly' at the same time.");
  237. }
  238. const relPath = this._resolveVirtualPathToBase(resource.getPath(), true);
  239. const fsPath = this._resolveToFileSystem(relPath);
  240. const dirPath = path.dirname(fsPath);
  241. await mkdir(dirPath, {recursive: true});
  242. const sourceMetadata = resource.getSourceMetadata();
  243. if (sourceMetadata && sourceMetadata.adapter === ADAPTER_NAME && sourceMetadata.fsPath) {
  244. // Resource has been created by FileSystem adapter. This means it might require special handling
  245. /* The following code covers these four conditions:
  246. 1. FS-paths not equal + Resource not modified => Shortcut: Use fs.copyFile
  247. 2. FS-paths equal + Resource not modified => Shortcut: Skip write altogether
  248. 3. FS-paths equal + Resource modified => Drain stream into buffer. Later write from buffer as usual
  249. 4. FS-paths not equal + Resource modified => No special handling. Write from stream or buffer
  250. */
  251. if (sourceMetadata.fsPath !== fsPath && !sourceMetadata.contentModified) {
  252. // Shortcut: fs.copyFile can be used when the resource hasn't been modified
  253. log.silly(`Resource hasn't been modified. Copying resource from ${sourceMetadata.fsPath} to ${fsPath}`);
  254. await copyFile(sourceMetadata.fsPath, fsPath);
  255. if (readOnly) {
  256. await chmod(fsPath, READ_ONLY_MODE);
  257. }
  258. return;
  259. } else if (sourceMetadata.fsPath === fsPath && !sourceMetadata.contentModified) {
  260. log.silly(
  261. `Resource hasn't been modified, target path equals source path. Skipping write to ${fsPath}`);
  262. if (readOnly) {
  263. await chmod(fsPath, READ_ONLY_MODE);
  264. }
  265. return;
  266. } else if (sourceMetadata.fsPath === fsPath && sourceMetadata.contentModified) {
  267. // Resource has been modified. Make sure all streams are drained to prevent
  268. // issues caused by piping the original read-stream into a write-stream for the same path
  269. await resource.getBuffer();
  270. } else {/* Different paths + modifications require no special handling */}
  271. }
  272. log.silly(`Writing to ${fsPath}`);
  273. await new Promise((resolve, reject) => {
  274. let contentStream;
  275. if (drain || readOnly) {
  276. // Stream will be drained
  277. contentStream = resource.getStream();
  278. contentStream.on("error", (err) => {
  279. reject(err);
  280. });
  281. } else {
  282. // Transform stream into buffer before writing
  283. contentStream = new PassThrough();
  284. const buffers = [];
  285. contentStream.on("error", (err) => {
  286. reject(err);
  287. });
  288. contentStream.on("data", (data) => {
  289. buffers.push(data);
  290. });
  291. contentStream.on("end", () => {
  292. const buffer = Buffer.concat(buffers);
  293. resource.setBuffer(buffer);
  294. });
  295. resource.getStream().pipe(contentStream);
  296. }
  297. const writeOptions = {};
  298. if (readOnly) {
  299. writeOptions.mode = READ_ONLY_MODE;
  300. }
  301. const write = fs.createWriteStream(fsPath, writeOptions);
  302. write.on("error", (err) => {
  303. reject(err);
  304. });
  305. write.on("close", (ex) => {
  306. resolve();
  307. });
  308. contentStream.pipe(write);
  309. });
  310. if (readOnly) {
  311. if (sourceMetadata?.fsPath === fsPath) {
  312. // When streaming into the same file, permissions need to be changed explicitly
  313. await chmod(fsPath, READ_ONLY_MODE);
  314. }
  315. // In case of readOnly, we drained the stream and can now set a new callback
  316. // for creating a stream from written file
  317. // This should be identical to buffering the resource content in memory, since the written file
  318. // can not be modified.
  319. // We chose this approach to be more memory efficient in scenarios where readOnly is used
  320. resource.setStream(function() {
  321. return fs.createReadStream(fsPath);
  322. });
  323. }
  324. }
  325. _resolveToFileSystem(relPath) {
  326. const fsPath = path.join(this._fsBasePath, relPath);
  327. if (!fsPath.startsWith(this._fsBasePath)) {
  328. log.verbose(`Failed to resolve virtual path internally: ${relPath}`);
  329. log.verbose(` Adapter base path: ${this._fsBasePath}`);
  330. log.verbose(` Resulting path: ${fsPath}`);
  331. throw new Error(
  332. `Error while resolving internal virtual path: '${relPath}' resolves ` +
  333. `to a directory not accessible by this File System adapter instance`);
  334. }
  335. return fsPath;
  336. }
  337. }
  338. export default FileSystem;