fs/lib/Resource.js

  1. import stream from "node:stream";
  2. import clone from "clone";
  3. import posixPath from "node:path/posix";
  4. const fnTrue = () => true;
  5. const fnFalse = () => false;
  6. const ALLOWED_SOURCE_METADATA_KEYS = ["adapter", "fsPath", "contentModified"];
  7. /**
  8. * Resource. UI5 Tooling specific representation of a file's content and metadata
  9. *
  10. * @public
  11. * @class
  12. * @alias @ui5/fs/Resource
  13. */
  14. class Resource {
  15. #project;
  16. #buffer;
  17. #buffering;
  18. #collections;
  19. #contentDrained;
  20. #createStream;
  21. #name;
  22. #path;
  23. #sourceMetadata;
  24. #statInfo;
  25. #stream;
  26. #streamDrained;
  27. #isModified;
  28. /**
  29. * Function for dynamic creation of content streams
  30. *
  31. * @public
  32. * @callback @ui5/fs/Resource~createStream
  33. * @returns {stream.Readable} A readable stream of a resources content
  34. */
  35. /**
  36. *
  37. * @public
  38. * @param {object} parameters Parameters
  39. * @param {string} parameters.path Absolute virtual path of the resource
  40. * @param {fs.Stats|object} [parameters.statInfo] File information. Instance of
  41. * [fs.Stats]{@link https://nodejs.org/api/fs.html#fs_class_fs_stats} or similar object
  42. * @param {Buffer} [parameters.buffer] Content of this resources as a Buffer instance
  43. * (cannot be used in conjunction with parameters string, stream or createStream)
  44. * @param {string} [parameters.string] Content of this resources as a string
  45. * (cannot be used in conjunction with parameters buffer, stream or createStream)
  46. * @param {Stream} [parameters.stream] Readable stream of the content of this resource
  47. * (cannot be used in conjunction with parameters buffer, string or createStream)
  48. * @param {@ui5/fs/Resource~createStream} [parameters.createStream] Function callback that returns a readable
  49. * stream of the content of this resource (cannot be used in conjunction with parameters buffer,
  50. * string or stream).
  51. * In some cases this is the most memory-efficient way to supply resource content
  52. * @param {@ui5/project/specifications/Project} [parameters.project] Project this resource is associated with
  53. * @param {object} [parameters.sourceMetadata] Source metadata for UI5 Tooling internal use.
  54. * Some information may be set by an adapter to store information for later retrieval. Also keeps track of whether
  55. * a resource content has been modified since it has been read from a source
  56. */
  57. constructor({path, statInfo, buffer, string, createStream, stream, project, sourceMetadata}) {
  58. if (!path) {
  59. throw new Error("Unable to create Resource: Missing parameter 'path'");
  60. }
  61. if (buffer && createStream || buffer && string || string && createStream || buffer && stream ||
  62. string && stream || createStream && stream) {
  63. throw new Error("Unable to create Resource: Please set only one content parameter. " +
  64. "'buffer', 'string', 'stream' or 'createStream'");
  65. }
  66. if (sourceMetadata) {
  67. if (typeof sourceMetadata !== "object") {
  68. throw new Error(`Parameter 'sourceMetadata' must be of type "object"`);
  69. }
  70. /* eslint-disable-next-line guard-for-in */
  71. for (const metadataKey in sourceMetadata) { // Also check prototype
  72. if (!ALLOWED_SOURCE_METADATA_KEYS.includes(metadataKey)) {
  73. throw new Error(`Parameter 'sourceMetadata' contains an illegal attribute: ${metadataKey}`);
  74. }
  75. if (!["string", "boolean"].includes(typeof sourceMetadata[metadataKey])) {
  76. throw new Error(
  77. `Attribute '${metadataKey}' of parameter 'sourceMetadata' ` +
  78. `must be of type "string" or "boolean"`);
  79. }
  80. }
  81. }
  82. this.setPath(path);
  83. this.#sourceMetadata = sourceMetadata || {};
  84. // This flag indicates whether a resource has changed from its original source.
  85. // resource.isModified() is not sufficient, since it only reflects the modification state of the
  86. // current instance.
  87. // Since the sourceMetadata object is inherited to clones, it is the only correct indicator
  88. this.#sourceMetadata.contentModified ??= false;
  89. this.#isModified = false;
  90. this.#project = project;
  91. this.#statInfo = statInfo || { // TODO
  92. isFile: fnTrue,
  93. isDirectory: fnFalse,
  94. isBlockDevice: fnFalse,
  95. isCharacterDevice: fnFalse,
  96. isSymbolicLink: fnFalse,
  97. isFIFO: fnFalse,
  98. isSocket: fnFalse,
  99. atimeMs: new Date().getTime(),
  100. mtimeMs: new Date().getTime(),
  101. ctimeMs: new Date().getTime(),
  102. birthtimeMs: new Date().getTime(),
  103. atime: new Date(),
  104. mtime: new Date(),
  105. ctime: new Date(),
  106. birthtime: new Date()
  107. };
  108. if (createStream) {
  109. this.#createStream = createStream;
  110. } else if (stream) {
  111. this.#stream = stream;
  112. } else if (buffer) {
  113. // Use private setter, not to accidentally set any modified flags
  114. this.#setBuffer(buffer);
  115. } else if (typeof string === "string" || string instanceof String) {
  116. // Use private setter, not to accidentally set any modified flags
  117. this.#setBuffer(Buffer.from(string, "utf8"));
  118. }
  119. // Tracing:
  120. this.#collections = [];
  121. }
  122. /**
  123. * Gets a buffer with the resource content.
  124. *
  125. * @public
  126. * @returns {Promise<Buffer>} Promise resolving with a buffer of the resource content.
  127. */
  128. async getBuffer() {
  129. if (this.#contentDrained) {
  130. throw new Error(`Content of Resource ${this.#path} has been drained. ` +
  131. "This might be caused by requesting resource content after a content stream has been " +
  132. "requested and no new content (e.g. a new stream) has been set.");
  133. }
  134. if (this.#buffer) {
  135. return this.#buffer;
  136. } else if (this.#createStream || this.#stream) {
  137. return this.#getBufferFromStream();
  138. } else {
  139. throw new Error(`Resource ${this.#path} has no content`);
  140. }
  141. }
  142. /**
  143. * Sets a Buffer as content.
  144. *
  145. * @public
  146. * @param {Buffer} buffer Buffer instance
  147. */
  148. setBuffer(buffer) {
  149. this.#sourceMetadata.contentModified = true;
  150. this.#isModified = true;
  151. this.#setBuffer(buffer);
  152. }
  153. #setBuffer(buffer) {
  154. this.#createStream = null;
  155. // if (this.#stream) { // TODO this may cause strange issues
  156. // this.#stream.destroy();
  157. // }
  158. this.#stream = null;
  159. this.#buffer = buffer;
  160. this.#contentDrained = false;
  161. this.#streamDrained = false;
  162. }
  163. /**
  164. * Gets a string with the resource content.
  165. *
  166. * @public
  167. * @returns {Promise<string>} Promise resolving with the resource content.
  168. */
  169. getString() {
  170. if (this.#contentDrained) {
  171. return Promise.reject(new Error(`Content of Resource ${this.#path} has been drained. ` +
  172. "This might be caused by requesting resource content after a content stream has been " +
  173. "requested and no new content (e.g. a new stream) has been set."));
  174. }
  175. return this.getBuffer().then((buffer) => buffer.toString());
  176. }
  177. /**
  178. * Sets a String as content
  179. *
  180. * @public
  181. * @param {string} string Resource content
  182. */
  183. setString(string) {
  184. this.setBuffer(Buffer.from(string, "utf8"));
  185. }
  186. /**
  187. * Gets a readable stream for the resource content.
  188. *
  189. * Repetitive calls of this function are only possible if new content has been set in the meantime (through
  190. * [setStream]{@link @ui5/fs/Resource#setStream}, [setBuffer]{@link @ui5/fs/Resource#setBuffer}
  191. * or [setString]{@link @ui5/fs/Resource#setString}). This
  192. * is to prevent consumers from accessing drained streams.
  193. *
  194. * @public
  195. * @returns {stream.Readable} Readable stream for the resource content.
  196. */
  197. getStream() {
  198. if (this.#contentDrained) {
  199. throw new Error(`Content of Resource ${this.#path} has been drained. ` +
  200. "This might be caused by requesting resource content after a content stream has been " +
  201. "requested and no new content (e.g. a new stream) has been set.");
  202. }
  203. let contentStream;
  204. if (this.#buffer) {
  205. const bufferStream = new stream.PassThrough();
  206. bufferStream.end(this.#buffer);
  207. contentStream = bufferStream;
  208. } else if (this.#createStream || this.#stream) {
  209. contentStream = this.#getStream();
  210. }
  211. if (!contentStream) {
  212. throw new Error(`Resource ${this.#path} has no content`);
  213. }
  214. // If a stream instance is being returned, it will typically get drained be the consumer.
  215. // In that case, further content access will result in a "Content stream has been drained" error.
  216. // However, depending on the execution environment, a resources content stream might have been
  217. // transformed into a buffer. In that case further content access is possible as a buffer can't be
  218. // drained.
  219. // To prevent unexpected "Content stream has been drained" errors caused by changing environments, we flag
  220. // the resource content as "drained" every time a stream is requested. Even if actually a buffer or
  221. // createStream callback is being used.
  222. this.#contentDrained = true;
  223. return contentStream;
  224. }
  225. /**
  226. * Sets a readable stream as content.
  227. *
  228. * @public
  229. * @param {stream.Readable|@ui5/fs/Resource~createStream} stream Readable stream of the resource content or
  230. callback for dynamic creation of a readable stream
  231. */
  232. setStream(stream) {
  233. this.#isModified = true;
  234. this.#sourceMetadata.contentModified = true;
  235. this.#buffer = null;
  236. // if (this.#stream) { // TODO this may cause strange issues
  237. // this.#stream.destroy();
  238. // }
  239. if (typeof stream === "function") {
  240. this.#createStream = stream;
  241. this.#stream = null;
  242. } else {
  243. this.#stream = stream;
  244. this.#createStream = null;
  245. }
  246. this.#contentDrained = false;
  247. this.#streamDrained = false;
  248. }
  249. /**
  250. * Gets the virtual resources path
  251. *
  252. * @public
  253. * @returns {string} Virtual path of the resource
  254. */
  255. getPath() {
  256. return this.#path;
  257. }
  258. /**
  259. * Sets the virtual resources path
  260. *
  261. * @public
  262. * @param {string} path Absolute virtual path of the resource
  263. */
  264. setPath(path) {
  265. path = posixPath.normalize(path);
  266. if (!posixPath.isAbsolute(path)) {
  267. throw new Error(`Unable to set resource path: Path must be absolute: ${path}`);
  268. }
  269. this.#path = path;
  270. this.#name = posixPath.basename(path);
  271. }
  272. /**
  273. * Gets the resource name
  274. *
  275. * @public
  276. * @returns {string} Name of the resource
  277. */
  278. getName() {
  279. return this.#name;
  280. }
  281. /**
  282. * Gets the resources stat info.
  283. * Note that a resources stat information is not updated when the resource is being modified.
  284. * Also, depending on the used adapter, some fields might be missing which would be present for a
  285. * [fs.Stats]{@link https://nodejs.org/api/fs.html#fs_class_fs_stats} instance.
  286. *
  287. * @public
  288. * @returns {fs.Stats|object} Instance of [fs.Stats]{@link https://nodejs.org/api/fs.html#fs_class_fs_stats}
  289. * or similar object
  290. */
  291. getStatInfo() {
  292. return this.#statInfo;
  293. }
  294. /**
  295. * Size in bytes allocated by the underlying buffer.
  296. *
  297. * @see {TypedArray#byteLength}
  298. * @returns {Promise<number>} size in bytes, <code>0</code> if there is no content yet
  299. */
  300. async getSize() {
  301. // if resource does not have any content it should have 0 bytes
  302. if (!this.#buffer && !this.#createStream && !this.#stream) {
  303. return 0;
  304. }
  305. const buffer = await this.getBuffer();
  306. return buffer.byteLength;
  307. }
  308. /**
  309. * Adds a resource collection name that was involved in locating this resource.
  310. *
  311. * @param {string} name Resource collection name
  312. */
  313. pushCollection(name) {
  314. this.#collections.push(name);
  315. }
  316. /**
  317. * Returns a clone of the resource. The clones content is independent from that of the original resource
  318. *
  319. * @public
  320. * @returns {Promise<@ui5/fs/Resource>} Promise resolving with the clone
  321. */
  322. async clone() {
  323. const options = await this.#getCloneOptions();
  324. return new Resource(options);
  325. }
  326. async #getCloneOptions() {
  327. const options = {
  328. path: this.#path,
  329. statInfo: clone(this.#statInfo),
  330. sourceMetadata: clone(this.#sourceMetadata)
  331. };
  332. if (this.#stream) {
  333. options.buffer = await this.#getBufferFromStream();
  334. } else if (this.#createStream) {
  335. options.createStream = this.#createStream;
  336. } else if (this.#buffer) {
  337. options.buffer = this.#buffer;
  338. }
  339. return options;
  340. }
  341. /**
  342. * Retrieve the project assigned to the resource
  343. * <br/>
  344. * <b>Note for UI5 Tooling extensions (i.e. custom tasks, custom middleware):</b>
  345. * In order to ensure compatibility across UI5 Tooling versions, consider using the
  346. * <code>getProject(resource)</code> method provided by
  347. * [TaskUtil]{@link module:@ui5/project/build/helpers/TaskUtil} and
  348. * [MiddlewareUtil]{@link module:@ui5/server.middleware.MiddlewareUtil}, which will
  349. * return a Specification Version-compatible Project interface.
  350. *
  351. * @public
  352. * @returns {@ui5/project/specifications/Project} Project this resource is associated with
  353. */
  354. getProject() {
  355. return this.#project;
  356. }
  357. /**
  358. * Assign a project to the resource
  359. *
  360. * @public
  361. * @param {@ui5/project/specifications/Project} project Project this resource is associated with
  362. */
  363. setProject(project) {
  364. if (this.#project) {
  365. throw new Error(`Unable to assign project ${project.getName()} to resource ${this.#path}: ` +
  366. `Resource is already associated to project ${this.#project}`);
  367. }
  368. this.#project = project;
  369. }
  370. /**
  371. * Check whether a project has been assigned to the resource
  372. *
  373. * @public
  374. * @returns {boolean} True if the resource is associated with a project
  375. */
  376. hasProject() {
  377. return !!this.#project;
  378. }
  379. /**
  380. * Check whether the content of this resource has been changed during its life cycle
  381. *
  382. * @public
  383. * @returns {boolean} True if the resource's content has been changed
  384. */
  385. isModified() {
  386. return this.#isModified;
  387. }
  388. /**
  389. * Tracing: Get tree for printing out trace
  390. *
  391. * @returns {object} Trace tree
  392. */
  393. getPathTree() {
  394. const tree = Object.create(null);
  395. let pointer = tree[this.#path] = Object.create(null);
  396. for (let i = this.#collections.length - 1; i >= 0; i--) {
  397. pointer = pointer[this.#collections[i]] = Object.create(null);
  398. }
  399. return tree;
  400. }
  401. /**
  402. * Returns source metadata which may contain information specific to the adapter that created the resource
  403. * Typically set by an adapter to store information for later retrieval.
  404. *
  405. * @returns {object}
  406. */
  407. getSourceMetadata() {
  408. return this.#sourceMetadata;
  409. }
  410. /**
  411. * Returns the content as stream.
  412. *
  413. * @private
  414. * @returns {stream.Readable} Readable stream
  415. */
  416. #getStream() {
  417. if (this.#streamDrained) {
  418. throw new Error(`Content stream of Resource ${this.#path} is flagged as drained.`);
  419. }
  420. if (this.#createStream) {
  421. return this.#createStream();
  422. }
  423. this.#streamDrained = true;
  424. return this.#stream;
  425. }
  426. /**
  427. * Converts the buffer into a stream.
  428. *
  429. * @private
  430. * @returns {Promise<Buffer>} Promise resolving with buffer.
  431. */
  432. #getBufferFromStream() {
  433. if (this.#buffering) { // Prevent simultaneous buffering, causing unexpected access to drained stream
  434. return this.#buffering;
  435. }
  436. return this.#buffering = new Promise((resolve, reject) => {
  437. const contentStream = this.#getStream();
  438. const buffers = [];
  439. contentStream.on("data", (data) => {
  440. buffers.push(data);
  441. });
  442. contentStream.on("error", (err) => {
  443. reject(err);
  444. });
  445. contentStream.on("end", () => {
  446. const buffer = Buffer.concat(buffers);
  447. this.#setBuffer(buffer);
  448. this.#buffering = null;
  449. resolve(buffer);
  450. });
  451. });
  452. }
  453. }
  454. export default Resource;