builder/lib/processors/jsdoc/jsdocGenerator.js

  1. import {spawn} from "node:child_process";
  2. import fs from "graceful-fs";
  3. import path from "node:path";
  4. import {promisify} from "node:util";
  5. const writeFile = promisify(fs.writeFile);
  6. import {createAdapter} from "@ui5/fs/resourceFactory";
  7. import {createRequire} from "node:module";
  8. import {fileURLToPath} from "node:url";
  9. const __dirname = path.dirname(fileURLToPath(import.meta.url));
  10. const require = createRequire(import.meta.url);
  11. /**
  12. * @public
  13. * @module @ui5/builder/processors/jsdoc/jsdocGenerator
  14. */
  15. /**
  16. * JSDoc generator
  17. *
  18. * @public
  19. * @function default
  20. * @static
  21. *
  22. * @param {object} parameters Parameters
  23. * @param {string} parameters.sourcePath Path of the source files to be processed
  24. * @param {string} parameters.targetPath Path to write any output files
  25. * @param {string} parameters.tmpPath Path to write temporary and debug files
  26. * @param {object} parameters.options Options
  27. * @param {string} parameters.options.projectName Project name
  28. * @param {string} parameters.options.namespace Namespace to build (e.g. <code>some/project/name</code>)
  29. * @param {string} parameters.options.version Project version
  30. * @param {Array} [parameters.options.variants=["apijson"]] JSDoc variants to be built
  31. * @returns {Promise<@ui5/fs/Resource[]>} Promise resolving with newly created resources
  32. */
  33. export default async function jsdocGenerator(
  34. {sourcePath, targetPath, tmpPath, options: {projectName, namespace, version, variants}} = {}
  35. ) {
  36. if (!sourcePath || !targetPath || !tmpPath || !projectName || !namespace || !version) {
  37. throw new Error("[jsdocGenerator]: One or more mandatory parameters not provided");
  38. }
  39. if (!variants || variants.length === 0) {
  40. variants = ["apijson"];
  41. }
  42. const config = await jsdocGenerator._generateJsdocConfig({
  43. targetPath,
  44. tmpPath,
  45. namespace,
  46. projectName,
  47. version,
  48. variants
  49. });
  50. const configPath = await jsdocGenerator._writeJsdocConfig(tmpPath, config);
  51. await jsdocGenerator._buildJsdoc({
  52. sourcePath,
  53. configPath
  54. });
  55. const fsTarget = createAdapter({
  56. fsBasePath: targetPath,
  57. virBasePath: "/"
  58. });
  59. // create resources from the output files
  60. return Promise.all([
  61. fsTarget.byPath(`/test-resources/${namespace}/designtime/api.json`)
  62. // fsTarget.byPath(`/libraries/${options.projectName}.js`)
  63. ]).then((res) => res.filter(($)=>$));
  64. }
  65. /**
  66. * Generate jsdoc-config.json content
  67. *
  68. * @private
  69. * @param {object} parameters Parameters
  70. * @param {string} parameters.targetPath Path to write any output files
  71. * @param {string} parameters.tmpPath Path to write temporary and debug files
  72. * @param {string} parameters.projectName Project name
  73. * @param {string} parameters.version Project version
  74. * @param {string} parameters.namespace Namespace to use (e.g. <code>some/project/name</code>)
  75. * @param {Array} parameters.variants JSDoc variants to be built
  76. * @returns {string} jsdoc-config.json content string
  77. */
  78. async function generateJsdocConfig({targetPath, tmpPath, namespace, projectName, version, variants}) {
  79. // Backlash needs to be escaped as double-backslash
  80. // This is not only relevant for win32 paths but also for
  81. // Unix directory names that contain a backslash in their name
  82. const backslashRegex = /\\/g;
  83. // Resolve path to this script to get the path to the JSDoc extensions folder
  84. const jsdocPath = path.normalize(__dirname);
  85. const pluginPath = path.join(jsdocPath, "lib", "ui5", "plugin.cjs").replace(backslashRegex, "\\\\");
  86. // Using export via package.json to allow loading the CJS template.
  87. // jsdoc appends /publish to the provided path but doesn't allow to
  88. // add the .cjs extension, so loading won't work otherwise.
  89. const templatePath = "@ui5/builder/internal/jsdoc/template";
  90. const destinationPath = path.normalize(tmpPath).replace(backslashRegex, "\\\\");
  91. const jsapiFilePath = path.join(targetPath, "libraries", projectName + ".js").replace(backslashRegex, "\\\\");
  92. const apiJsonFolderPath = path.join(tmpPath, "dependency-apis").replace(backslashRegex, "\\\\");
  93. const apiJsonFilePath =
  94. path.join(targetPath, "test-resources", path.normalize(namespace), "designtime", "api.json")
  95. .replace(backslashRegex, "\\\\");
  96. // Note: While the projectName could also be used here, it is not ensured that it fits to
  97. // the library namespace.
  98. // As the "uilib" information is used to check for certain constraints it must be aligned with
  99. // the technical namespace that is used in the folder-structure, library.js and for the
  100. // sap.ui.base.Object based classes.
  101. const uilib = namespace.replace(/\//g, ".");
  102. const config = `{
  103. "plugins": ["${pluginPath}"],
  104. "opts": {
  105. "recurse": true,
  106. "lenient": true,
  107. "template": "${templatePath}",
  108. "ui5": {
  109. "saveSymbols": true
  110. },
  111. "destination": "${destinationPath}"
  112. },
  113. "templates": {
  114. "ui5": {
  115. "variants": ${JSON.stringify(variants)},
  116. "version": "${version}",
  117. "uilib": "${uilib}",
  118. "jsapiFile": "${jsapiFilePath}",
  119. "apiJsonFolder": "${apiJsonFolderPath}",
  120. "apiJsonFile": "${apiJsonFilePath}"
  121. }
  122. }
  123. }`;
  124. return config;
  125. }
  126. /**
  127. * Write jsdoc-config.json to file system
  128. *
  129. * @private
  130. * @param {string} targetDirPath Directory Path to write the jsdoc-config.json file to
  131. * @param {string} config jsdoc-config.json content
  132. * @returns {string} Full path to the written jsdoc-config.json file
  133. */
  134. async function writeJsdocConfig(targetDirPath, config) {
  135. const configPath = path.join(targetDirPath, "jsdoc-config.json");
  136. await writeFile(configPath, config);
  137. return configPath;
  138. }
  139. /**
  140. * Execute JSDoc build by spawning JSDoc as an external process
  141. *
  142. * @private
  143. * @param {object} parameters Parameters
  144. * @param {string} parameters.sourcePath Project resources (input for JSDoc generation)
  145. * @param {string} parameters.configPath Full path to jsdoc-config.json file
  146. * @returns {Promise<undefined>}
  147. */
  148. async function buildJsdoc({sourcePath, configPath}) {
  149. const args = [
  150. require.resolve("jsdoc/jsdoc"),
  151. "-c",
  152. configPath,
  153. "--verbose",
  154. sourcePath
  155. ];
  156. const exitCode = await new Promise((resolve /* , reject */) => {
  157. const child = spawn("node", args, {
  158. stdio: ["ignore", "ignore", "inherit"]
  159. });
  160. child.on("close", resolve);
  161. });
  162. if (exitCode !== 0) {
  163. throw new Error(`JSDoc reported an error, check the log for issues (exit code: ${exitCode})`);
  164. }
  165. }
  166. jsdocGenerator._generateJsdocConfig = generateJsdocConfig;
  167. jsdocGenerator._writeJsdocConfig = writeJsdocConfig;
  168. jsdocGenerator._buildJsdoc = buildJsdoc;