-
Notifications
You must be signed in to change notification settings - Fork 44
/
Copy pathindex.ts
312 lines (281 loc) · 11.3 KB
/
index.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
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
#!/usr/bin/env node
import * as core from "@arethetypeswrong/core";
import { groupProblemsByKind, parsePackageSpec } from "@arethetypeswrong/core/utils";
import { versions } from "@arethetypeswrong/core/versions";
import chalk from "chalk";
import { execSync } from "child_process";
import { Option, program } from "commander";
import { readFile, stat, unlink } from "fs/promises";
import { createRequire } from "module";
import path from "path";
import readline from "readline";
import { problemFlags } from "./problemUtils.js";
import { readConfig } from "./readConfig.js";
import * as render from "./render/index.js";
import { major, minor } from "semver";
import { getExitCode } from "./getExitCode.js";
import { applyProfile, profiles } from "./profiles.js";
import { write } from "./write.js";
import { Writable } from "stream";
import detectPackageManager from "which-pm-runs";
const packageJson = createRequire(import.meta.url)("../package.json");
const version = packageJson.version;
const formats = Object.keys({
auto: true,
json: true,
ascii: true,
table: true,
"table-flipped": true,
} satisfies Record<render.Format, any>) as render.Format[];
interface Opts extends render.RenderOptions {
profile?: keyof typeof profiles;
pack?: boolean;
fromNpm?: boolean;
definitelyTyped?: boolean | string;
quiet?: boolean;
configPath?: string;
entrypoints?: string[];
includeEntrypoints?: string[];
excludeEntrypoints?: string[];
entrypointsLegacy?: boolean;
pm?: string;
}
program
.addHelpText("before", `ATTW CLI (v${version})\n`)
.addHelpText("after", `\ncore: v${versions.core}, typescript: v${versions.typescript}`)
.version(`cli: v${version}\ncore: v${versions.core}\ntypescript: v${versions.typescript}`)
.name("attw")
.description(
`${chalk.bold.blue(
"Are the Types Wrong?",
)} attempts to analyze npm package contents for issues with their TypeScript types,
particularly ESM-related module resolution issues.`,
)
.argument(
"[file-directory-or-package-spec]",
"the packed .tgz, or directory containing package.json with --pack, or package spec with --from-npm",
)
.option("-P, --pack", "Run `npm pack` in the specified directory and delete the resulting .tgz file afterwards")
.option("-p, --from-npm", "Read from the npm registry instead of a local file")
.addOption(new Option("--definitely-typed [version]", "Specify the version range of @types to use").default(true))
.option("--no-definitely-typed", "Don't include @types")
.addOption(new Option("-f, --format <format>", "Specify the print format").choices(formats).default("auto"))
.option("-q, --quiet", "Don't print anything to STDOUT (overrides all other options)")
.option(
"--entrypoints <entrypoints...>",
"Specify an exhaustive list of entrypoints to check. " +
'The package root is `"." Specifying this option disables automatic entrypoint discovery, ' +
"and overrides the `--include-entrypoints` and `--exclude-entrypoints` options.",
)
.option(
"--include-entrypoints <entrypoints...>",
"Specify entrypoints to check in addition to automatically discovered ones.",
)
.option("--exclude-entrypoints <entrypoints...>", "Specify entrypoints to exclude from checking.")
.option(
"--entrypoints-legacy",
"In packages without the `exports` field, every file is an entry point. Specifying this option " +
"only takes effect when no entrypoints are automatically detected, or explicitly provided with other options.",
)
.addOption(
new Option("--ignore-rules <rules...>", "Specify rules to ignore").choices(Object.values(problemFlags)).default([]),
)
.addOption(
new Option("--profile <profile>", "Specify analysis profile").choices(Object.keys(profiles)).default("strict"),
)
.option("--summary, --no-summary", "Whether to print summary information about the different errors")
.option("--emoji, --no-emoji", "Whether to use any emojis")
.option("--color, --no-color", "Whether to use any colors (the FORCE_COLOR env variable is also available)")
.option("--config-path <path>", "Path to config file (default: ./.attw.json)")
.addOption(
new Option("--pm [package manager]", "Specify the package manager to use for --pack (default: auto)")
.choices(["pnpm", "yarn-classic", "yarn-modern", "npm", "auto"])
.default("auto"),
)
.action(async (fileOrDirectory = ".") => {
const opts = program.opts<Opts>();
await readConfig(program, opts.configPath);
if (opts.profile) {
applyProfile(opts.profile, opts);
}
let out: Writable = process.stdout;
if (opts.quiet) {
out = new (class extends Writable {
_write(_chunk: any, _encoding: BufferEncoding, callback: (error?: Error | null) => void) {
callback();
}
})();
}
if (!opts.color) {
process.env.FORCE_COLOR = "0";
}
let analysis: core.CheckResult;
let deleteTgz;
const dtIsPath =
typeof opts.definitelyTyped === "string" &&
(opts.definitelyTyped.includes("/") ||
opts.definitelyTyped.includes("\\") ||
opts.definitelyTyped.endsWith(".tgz") ||
opts.definitelyTyped.endsWith(".tar.gz"));
if (opts.fromNpm) {
if (opts.pack) {
program.error("--pack and --from-npm cannot be used together");
}
try {
const result = parsePackageSpec(fileOrDirectory);
if (result.status === "error") {
program.error(result.error);
} else {
let pkg;
if (dtIsPath) {
const dtPackage = core.createPackageFromTarballData(
new Uint8Array(await readFile(opts.definitelyTyped as string)),
);
const pkgVersion =
result.data.versionKind === "none"
? `${major(dtPackage.packageVersion)}.${minor(dtPackage.packageVersion)}`
: result.data.version;
pkg = (await core.createPackageFromNpm(`${result.data.name}@${pkgVersion}`)).mergedWithTypes(dtPackage);
} else {
pkg = await core.createPackageFromNpm(`${result.data.name}@${result.data.version}`, {
definitelyTyped: opts.definitelyTyped,
});
}
analysis = await core.checkPackage(pkg, {
entrypoints: opts.entrypoints,
includeEntrypoints: opts.includeEntrypoints,
excludeEntrypoints: opts.excludeEntrypoints,
entrypointsLegacy: opts.entrypointsLegacy,
});
}
} catch (error) {
if (error instanceof Error && "code" in error) {
program.error(`error while fetching package:\n${error.message}`, { code: "" + error.code });
}
handleError(error, "checking package");
}
} else {
try {
let fileName = fileOrDirectory;
if (
await stat(fileOrDirectory)
.then((stat) => !stat.isFile())
.catch(() => false)
) {
if (!(await stat(path.join(fileOrDirectory, "package.json")).catch(() => false))) {
program.error(
`Specified directory must contain a package.json. No package.json found in ${path.resolve(
fileOrDirectory,
)}.`,
);
}
let packageManager = "npm";
switch (opts.pm) {
case "auto":
const pm = detectPackageManager();
if (pm) {
packageManager = pm.name;
if (pm.name === "yarn") {
const yarnVersion = pm.version.split(".")[0];
opts.pm = yarnVersion === "1" ? "yarn-classic" : "yarn-modern";
}
}
break;
case "pnpm": {
packageManager = "pnpm";
break;
}
case "yarn-modern":
case "yarn-classic": {
packageManager = "yarn";
break;
}
}
if (!opts.pack) {
if (!process.stdout.isTTY) {
program.error(
`Specifying a directory requires the --pack option to confirm that running \`${packageManager} pack\` is ok.`,
);
}
const rl = readline.createInterface(process.stdin, process.stdout);
const answer = await new Promise<string>((resolve) => {
rl.question(`Run \`${packageManager} pack\`? (Pass -P/--pack to skip) (Y/n) `, resolve);
});
rl.close();
if (answer.trim() && !answer.trim().toLowerCase().startsWith("y")) {
process.exit(1);
}
}
const manifest = JSON.parse(await readFile(path.join(fileOrDirectory, "package.json"), { encoding: "utf8" }));
fileName = deleteTgz = path.join(
fileOrDirectory,
// https://github.com/npm/cli/blob/f875caa86900122819311dd77cde01c700fd1817/lib/utils/tar.js#L123-L125
`${manifest.name.replace("@", "").replace("/", "-")}-${manifest.version}.tgz`,
);
execSync(`${packageManager} pack` + (opts.pm === "yarn-classic" ? ` --filename ` + fileName : opts.pm === "yarn-modern" ? ` --out ` + fileName :""), {
cwd: fileOrDirectory,
encoding: "utf8",
stdio: "ignore",
});
}
const file = await readFile(fileName);
const data = new Uint8Array(file);
const pkg = dtIsPath
? core
.createPackageFromTarballData(data)
.mergedWithTypes(
core.createPackageFromTarballData(new Uint8Array(await readFile(opts.definitelyTyped as string))),
)
: core.createPackageFromTarballData(data);
analysis = await core.checkPackage(pkg, {
entrypoints: opts.entrypoints,
includeEntrypoints: opts.includeEntrypoints,
excludeEntrypoints: opts.excludeEntrypoints,
entrypointsLegacy: opts.entrypointsLegacy,
});
} catch (error) {
handleError(error, "checking file");
}
}
if (opts.format === "json") {
const result = { analysis } as {
analysis: core.CheckResult;
problems?: Partial<Record<core.ProblemKind, core.Problem[]>>;
};
if (analysis.types) {
result.problems = groupProblemsByKind(analysis.problems);
}
await write(JSON.stringify(result, undefined, 2), out);
if (deleteTgz) {
await unlink(deleteTgz);
}
const exitCode = getExitCode(analysis, opts);
if (exitCode) {
process.exit(exitCode);
}
return;
}
await write("", out);
if (analysis.types) {
await write(await render.typed(analysis, opts), out);
process.exitCode = getExitCode(analysis, opts);
} else {
await write(render.untyped(analysis as core.UntypedResult), out);
}
if (deleteTgz) {
await unlink(deleteTgz);
}
});
program.parse(process.argv);
function handleError(error: unknown, title: string): never {
if (error && typeof error === "object" && "message" in error) {
program.error(`error while ${title}:\n${error.message}`, {
exitCode: 3,
code: "code" in error && typeof error.code === "string" ? error.code : "UNKNOWN",
});
}
program.error(`unknown error while ${title}`, { code: "UNKNOWN", exitCode: 3 });
}
process.on("unhandledRejection", (error) => {
handleError(error, "checking package");
});