cli.js 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614
  1. /*
  2. MIT License http://www.opensource.org/licenses/mit-license.php
  3. Author Tobias Koppers @sokra
  4. */
  5. "use strict";
  6. const path = require("path");
  7. const webpackSchema = require("../schemas/WebpackOptions.json");
  8. // TODO add originPath to PathItem for better errors
  9. /**
  10. * @typedef {Object} PathItem
  11. * @property {any} schema the part of the schema
  12. * @property {string} path the path in the config
  13. */
  14. /** @typedef {"unknown-argument" | "unexpected-non-array-in-path" | "unexpected-non-object-in-path" | "multiple-values-unexpected" | "invalid-value"} ProblemType */
  15. /**
  16. * @typedef {Object} Problem
  17. * @property {ProblemType} type
  18. * @property {string} path
  19. * @property {string} argument
  20. * @property {any=} value
  21. * @property {number=} index
  22. * @property {string=} expected
  23. */
  24. /**
  25. * @typedef {Object} LocalProblem
  26. * @property {ProblemType} type
  27. * @property {string} path
  28. * @property {string=} expected
  29. */
  30. /**
  31. * @typedef {Object} ArgumentConfig
  32. * @property {string} description
  33. * @property {string} path
  34. * @property {boolean} multiple
  35. * @property {"enum"|"string"|"path"|"number"|"boolean"|"RegExp"|"reset"} type
  36. * @property {any[]=} values
  37. */
  38. /**
  39. * @typedef {Object} Argument
  40. * @property {string} description
  41. * @property {"string"|"number"|"boolean"} simpleType
  42. * @property {boolean} multiple
  43. * @property {ArgumentConfig[]} configs
  44. */
  45. /**
  46. * @param {any=} schema a json schema to create arguments for (by default webpack schema is used)
  47. * @returns {Record<string, Argument>} object of arguments
  48. */
  49. const getArguments = (schema = webpackSchema) => {
  50. /** @type {Record<string, Argument>} */
  51. const flags = {};
  52. const pathToArgumentName = input => {
  53. return input
  54. .replace(/\./g, "-")
  55. .replace(/\[\]/g, "")
  56. .replace(
  57. /(\p{Uppercase_Letter}+|\p{Lowercase_Letter}|\d)(\p{Uppercase_Letter}+)/gu,
  58. "$1-$2"
  59. )
  60. .replace(/-?[^\p{Uppercase_Letter}\p{Lowercase_Letter}\d]+/gu, "-")
  61. .toLowerCase();
  62. };
  63. const getSchemaPart = path => {
  64. const newPath = path.split("/");
  65. let schemaPart = schema;
  66. for (let i = 1; i < newPath.length; i++) {
  67. const inner = schemaPart[newPath[i]];
  68. if (!inner) {
  69. break;
  70. }
  71. schemaPart = inner;
  72. }
  73. return schemaPart;
  74. };
  75. /**
  76. *
  77. * @param {PathItem[]} path path in the schema
  78. * @returns {string | undefined} description
  79. */
  80. const getDescription = path => {
  81. for (const { schema } of path) {
  82. if (schema.cli && schema.cli.helper) continue;
  83. if (schema.description) return schema.description;
  84. }
  85. };
  86. /**
  87. *
  88. * @param {any} schemaPart schema
  89. * @returns {Pick<ArgumentConfig, "type"|"values">} partial argument config
  90. */
  91. const schemaToArgumentConfig = schemaPart => {
  92. if (schemaPart.enum) {
  93. return {
  94. type: "enum",
  95. values: schemaPart.enum
  96. };
  97. }
  98. switch (schemaPart.type) {
  99. case "number":
  100. return {
  101. type: "number"
  102. };
  103. case "string":
  104. return {
  105. type: schemaPart.absolutePath ? "path" : "string"
  106. };
  107. case "boolean":
  108. return {
  109. type: "boolean"
  110. };
  111. }
  112. if (schemaPart.instanceof === "RegExp") {
  113. return {
  114. type: "RegExp"
  115. };
  116. }
  117. return undefined;
  118. };
  119. /**
  120. * @param {PathItem[]} path path in the schema
  121. * @returns {void}
  122. */
  123. const addResetFlag = path => {
  124. const schemaPath = path[0].path;
  125. const name = pathToArgumentName(`${schemaPath}.reset`);
  126. const description = getDescription(path);
  127. flags[name] = {
  128. configs: [
  129. {
  130. type: "reset",
  131. multiple: false,
  132. description: `Clear all items provided in '${schemaPath}' configuration. ${description}`,
  133. path: schemaPath
  134. }
  135. ],
  136. description: undefined,
  137. simpleType: undefined,
  138. multiple: undefined
  139. };
  140. };
  141. /**
  142. * @param {PathItem[]} path full path in schema
  143. * @param {boolean} multiple inside of an array
  144. * @returns {number} number of arguments added
  145. */
  146. const addFlag = (path, multiple) => {
  147. const argConfigBase = schemaToArgumentConfig(path[0].schema);
  148. if (!argConfigBase) return 0;
  149. const name = pathToArgumentName(path[0].path);
  150. /** @type {ArgumentConfig} */
  151. const argConfig = {
  152. ...argConfigBase,
  153. multiple,
  154. description: getDescription(path),
  155. path: path[0].path
  156. };
  157. if (!flags[name]) {
  158. flags[name] = {
  159. configs: [],
  160. description: undefined,
  161. simpleType: undefined,
  162. multiple: undefined
  163. };
  164. }
  165. if (
  166. flags[name].configs.some(
  167. item => JSON.stringify(item) === JSON.stringify(argConfig)
  168. )
  169. ) {
  170. return 0;
  171. }
  172. if (
  173. flags[name].configs.some(
  174. item => item.type === argConfig.type && item.multiple !== multiple
  175. )
  176. ) {
  177. if (multiple) {
  178. throw new Error(
  179. `Conflicting schema for ${path[0].path} with ${argConfig.type} type (array type must be before single item type)`
  180. );
  181. }
  182. return 0;
  183. }
  184. flags[name].configs.push(argConfig);
  185. return 1;
  186. };
  187. // TODO support `not` and `if/then/else`
  188. // TODO support `const`, but we don't use it on our schema
  189. /**
  190. *
  191. * @param {object} schemaPart the current schema
  192. * @param {string} schemaPath the current path in the schema
  193. * @param {{schema: object, path: string}[]} path all previous visited schemaParts
  194. * @param {string | null} inArray if inside of an array, the path to the array
  195. * @returns {number} added arguments
  196. */
  197. const traverse = (schemaPart, schemaPath = "", path = [], inArray = null) => {
  198. while (schemaPart.$ref) {
  199. schemaPart = getSchemaPart(schemaPart.$ref);
  200. }
  201. const repetitions = path.filter(({ schema }) => schema === schemaPart);
  202. if (
  203. repetitions.length >= 2 ||
  204. repetitions.some(({ path }) => path === schemaPath)
  205. ) {
  206. return 0;
  207. }
  208. if (schemaPart.cli && schemaPart.cli.exclude) return 0;
  209. const fullPath = [{ schema: schemaPart, path: schemaPath }, ...path];
  210. let addedArguments = 0;
  211. addedArguments += addFlag(fullPath, !!inArray);
  212. if (schemaPart.type === "object") {
  213. if (schemaPart.properties) {
  214. for (const property of Object.keys(schemaPart.properties)) {
  215. addedArguments += traverse(
  216. schemaPart.properties[property],
  217. schemaPath ? `${schemaPath}.${property}` : property,
  218. fullPath,
  219. inArray
  220. );
  221. }
  222. }
  223. return addedArguments;
  224. }
  225. if (schemaPart.type === "array") {
  226. if (inArray) {
  227. return 0;
  228. }
  229. if (Array.isArray(schemaPart.items)) {
  230. let i = 0;
  231. for (const item of schemaPart.items) {
  232. addedArguments += traverse(
  233. item,
  234. `${schemaPath}.${i}`,
  235. fullPath,
  236. schemaPath
  237. );
  238. }
  239. return addedArguments;
  240. }
  241. addedArguments += traverse(
  242. schemaPart.items,
  243. `${schemaPath}[]`,
  244. fullPath,
  245. schemaPath
  246. );
  247. if (addedArguments > 0) {
  248. addResetFlag(fullPath);
  249. addedArguments++;
  250. }
  251. return addedArguments;
  252. }
  253. const maybeOf = schemaPart.oneOf || schemaPart.anyOf || schemaPart.allOf;
  254. if (maybeOf) {
  255. const items = maybeOf;
  256. for (let i = 0; i < items.length; i++) {
  257. addedArguments += traverse(items[i], schemaPath, fullPath, inArray);
  258. }
  259. return addedArguments;
  260. }
  261. return addedArguments;
  262. };
  263. traverse(schema);
  264. // Summarize flags
  265. for (const name of Object.keys(flags)) {
  266. const argument = flags[name];
  267. argument.description = argument.configs.reduce((desc, { description }) => {
  268. if (!desc) return description;
  269. if (!description) return desc;
  270. if (desc.includes(description)) return desc;
  271. return `${desc} ${description}`;
  272. }, /** @type {string | undefined} */ (undefined));
  273. argument.simpleType = argument.configs.reduce((t, argConfig) => {
  274. /** @type {"string" | "number" | "boolean"} */
  275. let type = "string";
  276. switch (argConfig.type) {
  277. case "number":
  278. type = "number";
  279. break;
  280. case "reset":
  281. case "boolean":
  282. type = "boolean";
  283. break;
  284. case "enum":
  285. if (argConfig.values.every(v => typeof v === "boolean"))
  286. type = "boolean";
  287. if (argConfig.values.every(v => typeof v === "number"))
  288. type = "number";
  289. break;
  290. }
  291. if (t === undefined) return type;
  292. return t === type ? t : "string";
  293. }, /** @type {"string" | "number" | "boolean" | undefined} */ (undefined));
  294. argument.multiple = argument.configs.some(c => c.multiple);
  295. }
  296. return flags;
  297. };
  298. const cliAddedItems = new WeakMap();
  299. /**
  300. * @param {any} config configuration
  301. * @param {string} schemaPath path in the config
  302. * @param {number | undefined} index index of value when multiple values are provided, otherwise undefined
  303. * @returns {{ problem?: LocalProblem, object?: any, property?: string | number, value?: any }} problem or object with property and value
  304. */
  305. const getObjectAndProperty = (config, schemaPath, index = 0) => {
  306. if (!schemaPath) return { value: config };
  307. const parts = schemaPath.split(".");
  308. let property = parts.pop();
  309. let current = config;
  310. let i = 0;
  311. for (const part of parts) {
  312. const isArray = part.endsWith("[]");
  313. const name = isArray ? part.slice(0, -2) : part;
  314. let value = current[name];
  315. if (isArray) {
  316. if (value === undefined) {
  317. value = {};
  318. current[name] = [...Array.from({ length: index }), value];
  319. cliAddedItems.set(current[name], index + 1);
  320. } else if (!Array.isArray(value)) {
  321. return {
  322. problem: {
  323. type: "unexpected-non-array-in-path",
  324. path: parts.slice(0, i).join(".")
  325. }
  326. };
  327. } else {
  328. let addedItems = cliAddedItems.get(value) || 0;
  329. while (addedItems <= index) {
  330. value.push(undefined);
  331. addedItems++;
  332. }
  333. cliAddedItems.set(value, addedItems);
  334. const x = value.length - addedItems + index;
  335. if (value[x] === undefined) {
  336. value[x] = {};
  337. } else if (value[x] === null || typeof value[x] !== "object") {
  338. return {
  339. problem: {
  340. type: "unexpected-non-object-in-path",
  341. path: parts.slice(0, i).join(".")
  342. }
  343. };
  344. }
  345. value = value[x];
  346. }
  347. } else {
  348. if (value === undefined) {
  349. value = current[name] = {};
  350. } else if (value === null || typeof value !== "object") {
  351. return {
  352. problem: {
  353. type: "unexpected-non-object-in-path",
  354. path: parts.slice(0, i).join(".")
  355. }
  356. };
  357. }
  358. }
  359. current = value;
  360. i++;
  361. }
  362. let value = current[property];
  363. if (property.endsWith("[]")) {
  364. const name = property.slice(0, -2);
  365. const value = current[name];
  366. if (value === undefined) {
  367. current[name] = [...Array.from({ length: index }), undefined];
  368. cliAddedItems.set(current[name], index + 1);
  369. return { object: current[name], property: index, value: undefined };
  370. } else if (!Array.isArray(value)) {
  371. current[name] = [value, ...Array.from({ length: index }), undefined];
  372. cliAddedItems.set(current[name], index + 1);
  373. return { object: current[name], property: index + 1, value: undefined };
  374. } else {
  375. let addedItems = cliAddedItems.get(value) || 0;
  376. while (addedItems <= index) {
  377. value.push(undefined);
  378. addedItems++;
  379. }
  380. cliAddedItems.set(value, addedItems);
  381. const x = value.length - addedItems + index;
  382. if (value[x] === undefined) {
  383. value[x] = {};
  384. } else if (value[x] === null || typeof value[x] !== "object") {
  385. return {
  386. problem: {
  387. type: "unexpected-non-object-in-path",
  388. path: schemaPath
  389. }
  390. };
  391. }
  392. return {
  393. object: value,
  394. property: x,
  395. value: value[x]
  396. };
  397. }
  398. }
  399. return { object: current, property, value };
  400. };
  401. /**
  402. * @param {any} config configuration
  403. * @param {string} schemaPath path in the config
  404. * @param {any} value parsed value
  405. * @param {number | undefined} index index of value when multiple values are provided, otherwise undefined
  406. * @returns {LocalProblem | null} problem or null for success
  407. */
  408. const setValue = (config, schemaPath, value, index) => {
  409. const { problem, object, property } = getObjectAndProperty(
  410. config,
  411. schemaPath,
  412. index
  413. );
  414. if (problem) return problem;
  415. object[property] = value;
  416. return null;
  417. };
  418. /**
  419. * @param {ArgumentConfig} argConfig processing instructions
  420. * @param {any} config configuration
  421. * @param {any} value the value
  422. * @param {number | undefined} index the index if multiple values provided
  423. * @returns {LocalProblem | null} a problem if any
  424. */
  425. const processArgumentConfig = (argConfig, config, value, index) => {
  426. if (index !== undefined && !argConfig.multiple) {
  427. return {
  428. type: "multiple-values-unexpected",
  429. path: argConfig.path
  430. };
  431. }
  432. const parsed = parseValueForArgumentConfig(argConfig, value);
  433. if (parsed === undefined) {
  434. return {
  435. type: "invalid-value",
  436. path: argConfig.path,
  437. expected: getExpectedValue(argConfig)
  438. };
  439. }
  440. const problem = setValue(config, argConfig.path, parsed, index);
  441. if (problem) return problem;
  442. return null;
  443. };
  444. /**
  445. * @param {ArgumentConfig} argConfig processing instructions
  446. * @returns {string | undefined} expected message
  447. */
  448. const getExpectedValue = argConfig => {
  449. switch (argConfig.type) {
  450. default:
  451. return argConfig.type;
  452. case "boolean":
  453. return "true | false";
  454. case "RegExp":
  455. return "regular expression (example: /ab?c*/)";
  456. case "enum":
  457. return argConfig.values.map(v => `${v}`).join(" | ");
  458. case "reset":
  459. return "true (will reset the previous value to an empty array)";
  460. }
  461. };
  462. /**
  463. * @param {ArgumentConfig} argConfig processing instructions
  464. * @param {any} value the value
  465. * @returns {any | undefined} parsed value
  466. */
  467. const parseValueForArgumentConfig = (argConfig, value) => {
  468. switch (argConfig.type) {
  469. case "string":
  470. if (typeof value === "string") {
  471. return value;
  472. }
  473. break;
  474. case "path":
  475. if (typeof value === "string") {
  476. return path.resolve(value);
  477. }
  478. break;
  479. case "number":
  480. if (typeof value === "number") return value;
  481. if (typeof value === "string" && /^[+-]?\d*(\.\d*)[eE]\d+$/) {
  482. const n = +value;
  483. if (!isNaN(n)) return n;
  484. }
  485. break;
  486. case "boolean":
  487. if (typeof value === "boolean") return value;
  488. if (value === "true") return true;
  489. if (value === "false") return false;
  490. break;
  491. case "RegExp":
  492. if (value instanceof RegExp) return value;
  493. if (typeof value === "string") {
  494. // cspell:word yugi
  495. const match = /^\/(.*)\/([yugi]*)$/.exec(value);
  496. if (match && !/[^\\]\//.test(match[1]))
  497. return new RegExp(match[1], match[2]);
  498. }
  499. break;
  500. case "enum":
  501. if (argConfig.values.includes(value)) return value;
  502. for (const item of argConfig.values) {
  503. if (`${item}` === value) return item;
  504. }
  505. break;
  506. case "reset":
  507. if (value === true) return [];
  508. break;
  509. }
  510. };
  511. /**
  512. * @param {Record<string, Argument>} args object of arguments
  513. * @param {any} config configuration
  514. * @param {Record<string, string | number | boolean | RegExp | (string | number | boolean | RegExp)[]>} values object with values
  515. * @returns {Problem[] | null} problems or null for success
  516. */
  517. const processArguments = (args, config, values) => {
  518. /** @type {Problem[]} */
  519. const problems = [];
  520. for (const key of Object.keys(values)) {
  521. const arg = args[key];
  522. if (!arg) {
  523. problems.push({
  524. type: "unknown-argument",
  525. path: "",
  526. argument: key
  527. });
  528. continue;
  529. }
  530. const processValue = (value, i) => {
  531. const currentProblems = [];
  532. for (const argConfig of arg.configs) {
  533. const problem = processArgumentConfig(argConfig, config, value, i);
  534. if (!problem) {
  535. return;
  536. }
  537. currentProblems.push({
  538. ...problem,
  539. argument: key,
  540. value: value,
  541. index: i
  542. });
  543. }
  544. problems.push(...currentProblems);
  545. };
  546. let value = values[key];
  547. if (Array.isArray(value)) {
  548. for (let i = 0; i < value.length; i++) {
  549. processValue(value[i], i);
  550. }
  551. } else {
  552. processValue(value, undefined);
  553. }
  554. }
  555. if (problems.length === 0) return null;
  556. return problems;
  557. };
  558. exports.getArguments = getArguments;
  559. exports.processArguments = processArguments;