mirror of
https://github.com/swc-project/swc.git
synced 2024-12-20 20:22:26 +03:00
fec189f2f3
bundler: - Prevent stack overflow. (denoland/deno#9752) testing: - Bump version - Fix handling of paths on windows. testing_macros: - Bump version - Correctly ignore files.
95 lines
2.1 KiB
TypeScript
95 lines
2.1 KiB
TypeScript
// Loaded from https://deno.land/x/cliffy@v0.18.0/flags/_utils.ts
|
|
|
|
|
|
import type { IFlagOptions } from "./types.ts";
|
|
import { distance } from "../_utils/distance.ts";
|
|
|
|
/** Convert param case string to camel case. */
|
|
export function paramCaseToCamelCase(str: string): string {
|
|
return str.replace(
|
|
/-([a-z])/g,
|
|
(g) => g[1].toUpperCase(),
|
|
);
|
|
}
|
|
|
|
/**
|
|
* Find option by flag, name or alias.
|
|
*
|
|
* @param flags Source option's array.
|
|
* @param name Name of the option.
|
|
*/
|
|
export function getOption<O extends IFlagOptions>(
|
|
flags: Array<O>,
|
|
name: string,
|
|
): O | undefined {
|
|
while (name[0] === "-") {
|
|
name = name.slice(1);
|
|
}
|
|
|
|
for (const flag of flags) {
|
|
if (isOption(flag, name)) {
|
|
return flag;
|
|
}
|
|
}
|
|
|
|
return;
|
|
}
|
|
|
|
export function didYouMeanOption(
|
|
option: string,
|
|
options: Array<IFlagOptions>,
|
|
): string {
|
|
const optionNames = options
|
|
.map((option) => [option.name, ...(option.aliases ?? [])])
|
|
.flat()
|
|
.map((option) => getFlag(option));
|
|
return didYouMean(" Did you mean option", getFlag(option), optionNames);
|
|
}
|
|
|
|
export function didYouMeanType(type: string, types: Array<string>): string {
|
|
return didYouMean(" Did you mean type", type, types);
|
|
}
|
|
|
|
export function didYouMean(
|
|
message: string,
|
|
type: string,
|
|
types: Array<string>,
|
|
): string {
|
|
const match: string | undefined = closest(type, types);
|
|
return match ? `${message} "${match}"?` : "";
|
|
}
|
|
|
|
export function getFlag(name: string) {
|
|
if (name.startsWith("-")) {
|
|
return name;
|
|
}
|
|
if (name.length > 1) {
|
|
return `--${name}`;
|
|
}
|
|
return `-${name}`;
|
|
}
|
|
|
|
/**
|
|
* Check if option has name or alias.
|
|
*
|
|
* @param option The option to check.
|
|
* @param name The option name or alias.
|
|
*/
|
|
function isOption(option: IFlagOptions, name: string) {
|
|
return option.name === name ||
|
|
(option.aliases && option.aliases.indexOf(name) !== -1);
|
|
}
|
|
|
|
function closest(str: string, arr: string[]): string | undefined {
|
|
let minDistance = Infinity;
|
|
let minIndex = 0;
|
|
for (let i = 0; i < arr.length; i++) {
|
|
const dist = distance(str, arr[i]);
|
|
if (dist < minDistance) {
|
|
minDistance = dist;
|
|
minIndex = i;
|
|
}
|
|
}
|
|
return arr[minIndex];
|
|
}
|