-
-
Notifications
You must be signed in to change notification settings - Fork 72
/
Copy path_utils.ts
199 lines (172 loc) · 4.79 KB
/
_utils.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
import {
OptionType,
UnexpectedArgumentAfterVariadicArgumentError,
UnexpectedRequiredArgumentError,
} from "@cliffy/flags";
import { closestString } from "@std/text/closest-string";
import type { Command } from "./command.ts";
import type { Argument } from "./types.ts";
export function getFlag(name: string) {
if (name.startsWith("-")) {
return name;
}
if (name.length > 1) {
return `--${name}`;
}
return `-${name}`;
}
export function didYouMean(
message: string,
type: string,
types: Array<string>,
): string {
const match: string | undefined = types.length
? closestString(type, types)
: undefined;
return match ? `${message} "${match}"?` : "";
}
export function didYouMeanCommand(
command: string,
commands: Array<Command>,
excludes: Array<string> = [],
): string {
const commandNames = commands
.map((command) => command.getName())
.filter((command) => !excludes.includes(command));
return didYouMean(" Did you mean command", command, commandNames);
}
const ARGUMENT_REGEX = /^[<\[].+[\]>]$/;
const ARGUMENT_DETAILS_REGEX = /[<\[:>\]]/;
interface SplitArgumentsResult {
flags: string[];
typeDefinition: string;
equalsSign: boolean;
}
/**
* Split options and arguments.
* @param args Arguments definition: `--color, -c <color1:string> <color2:string>`
*
* For example: `-c, --color <color1:string> <color2:string>`
*
* Will result in:
* ```json
* {
* flags: [ "-c", "--color" ],
* typeDefinition: "<color1:string> <color2:string>",
* }
* ```
*/
export function splitArguments(
args: string,
): SplitArgumentsResult {
const parts = args.trim().split(/[, =] */g);
const typeParts = [];
while (
parts[parts.length - 1] &&
ARGUMENT_REGEX.test(parts[parts.length - 1])
) {
typeParts.unshift(parts.pop());
}
const typeDefinition: string = typeParts.join(" ");
return { flags: parts, typeDefinition, equalsSign: args.includes("=") };
}
/**
* Parse arguments string.
* @param argsDefinition Arguments definition: `<color1:string> <color2:string>`
*/
export function parseArgumentsDefinition<T extends boolean>(
argsDefinition: string,
validate: boolean,
all: true,
): Array<Argument | string>;
export function parseArgumentsDefinition<T extends boolean>(
argsDefinition: string,
validate?: boolean,
all?: false,
): Array<Argument>;
export function parseArgumentsDefinition<T extends boolean>(
argsDefinition: string,
validate = true,
all?: T,
): T extends true ? Array<Argument | string> : Array<Argument> {
const argumentDetails: Array<Argument | string> = [];
let hasOptional = false;
let hasVariadic = false;
const parts: string[] = argsDefinition.split(/ +/);
for (const arg of parts) {
if (validate && hasVariadic) {
throw new UnexpectedArgumentAfterVariadicArgumentError(arg);
}
const parts: string[] = arg.split(ARGUMENT_DETAILS_REGEX);
if (!parts[1]) {
if (all) {
argumentDetails.push(parts[0]);
}
continue;
}
const type: string | undefined = parts[2] || OptionType.STRING;
const details: Argument = {
optional: arg[0] === "[",
name: parts[1],
action: parts[3] || type,
variadic: false,
list: type ? arg.indexOf(type + "[]") !== -1 : false,
type,
};
if (validate && !details.optional && hasOptional) {
throw new UnexpectedRequiredArgumentError(details.name);
}
if (arg[0] === "[") {
hasOptional = true;
}
if (details.name.length > 3) {
const istVariadicLeft = details.name.slice(0, 3) === "...";
const istVariadicRight = details.name.slice(-3) === "...";
hasVariadic = details.variadic = istVariadicLeft || istVariadicRight;
if (istVariadicLeft) {
details.name = details.name.slice(3);
} else if (istVariadicRight) {
details.name = details.name.slice(0, -3);
}
}
argumentDetails.push(details);
}
return argumentDetails as (
T extends true ? Array<Argument | string> : Array<Argument>
);
}
export function dedent(str: string): string {
const lines = str.split(/\r?\n|\r/g);
let text = "";
let indent = 0;
for (const line of lines) {
if (text || line.trim()) {
if (!text) {
text = line.trimStart();
indent = line.length - text.length;
} else {
text += line.slice(indent);
}
text += "\n";
}
}
return text.trimEnd();
}
export function getDescription(
description: string,
short?: boolean,
): string {
return short
? description.trim().split("\n", 1)[0].trim()
: dedent(description);
}
/** Convert underscore case string to camel case. */
export function underscoreToCamelCase(str: string): string {
return str
.replace(/([a-z])([A-Z])/g, "$1_$2")
.toLowerCase()
.replace(
/_([a-z])/g,
(g) => g[1].toUpperCase(),
);
}