fs/lib/fsInterface.js

  1. function toPosix(inputPath) {
  2. return inputPath.replace(/\\/g, "/");
  3. }
  4. /**
  5. * @public
  6. * @module @ui5/fs/fsInterface
  7. */
  8. /**
  9. * Wraps readers to access them through a [Node.js fs]{@link https://nodejs.org/api/fs.html} styled interface.
  10. *
  11. * @public
  12. * @function default
  13. * @static
  14. * @param {@ui5/fs/AbstractReader} reader Resource Reader or Collection
  15. *
  16. * @returns {object} Object with [Node.js fs]{@link https://nodejs.org/api/fs.html} styled functions
  17. * [<code>readFile</code>]{@link https://nodejs.org/api/fs.html#fs_fs_readfile_path_options_callback},
  18. * [<code>stat</code>]{@link https://nodejs.org/api/fs.html#fs_fs_stat_path_options_callback},
  19. * [<code>readdir</code>]{@link https://nodejs.org/api/fs.html#fs_fs_readdir_path_options_callback} and
  20. * [<code>mkdir</code>]{@link https://nodejs.org/api/fs.html#fs_fs_mkdir_path_options_callback}
  21. */
  22. function fsInterface(reader) {
  23. return {
  24. readFile(fsPath, options, callback) {
  25. if (typeof options === "function") {
  26. callback = options;
  27. options = undefined;
  28. }
  29. if (typeof options === "string") {
  30. options = {encoding: options};
  31. }
  32. const posixPath = toPosix(fsPath);
  33. reader.byPath(posixPath, {
  34. nodir: false
  35. }).then(function(resource) {
  36. if (!resource) {
  37. const error = new Error(`ENOENT: no such file or directory, open '${fsPath}'`);
  38. error.code = "ENOENT"; // "File or directory does not exist"
  39. callback(error);
  40. return;
  41. }
  42. return resource.getBuffer().then(function(buffer) {
  43. let res;
  44. if (options && options.encoding) {
  45. res = buffer.toString(options.encoding);
  46. } else {
  47. res = buffer;
  48. }
  49. callback(null, res);
  50. });
  51. }).catch(callback);
  52. },
  53. stat(fsPath, callback) {
  54. const posixPath = toPosix(fsPath);
  55. reader.byPath(posixPath, {
  56. nodir: false
  57. }).then(function(resource) {
  58. if (!resource) {
  59. const error = new Error(`ENOENT: no such file or directory, stat '${fsPath}'`);
  60. error.code = "ENOENT"; // "File or directory does not exist"
  61. callback(error);
  62. } else {
  63. callback(null, resource.getStatInfo());
  64. }
  65. }).catch(callback);
  66. },
  67. readdir(fsPath, callback) {
  68. let posixPath = toPosix(fsPath);
  69. if (!posixPath.match(/\/$/)) {
  70. // Add trailing slash if not present
  71. posixPath += "/";
  72. }
  73. reader.byGlob(posixPath + "*", {
  74. nodir: false
  75. }).then((resources) => {
  76. const files = resources.map((resource) => {
  77. return resource.getName();
  78. });
  79. callback(null, files);
  80. }).catch(callback);
  81. },
  82. mkdir(fsPath, callback) {
  83. setTimeout(callback, 0);
  84. }
  85. };
  86. }
  87. export default fsInterface;