-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrollup-deno-plugin.ts
68 lines (65 loc) · 1.92 KB
/
rollup-deno-plugin.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
import { resolveUri, type rollup } from "./deps.ts";
function shouldResolveUri(str: string) {
return str.startsWith("..") || str.startsWith("./") || str.startsWith("/");
}
interface ModuleInfo {
modules: Module[];
roots: string[];
}
interface Module {
root: string[];
emit: string | null;
local: string;
specifier: string;
}
export default function denoResolve(baseUrl: string): rollup.Plugin {
const resolver = new DenoResolve();
return {
name: "deno-resolve",
resolveId(source: string, importer: string | undefined) {
if (shouldResolveUri(source)) {
return resolveUri(source, importer);
}
return import.meta.resolve(source);
},
async load(id: string) {
const url = new URL(id, baseUrl);
if (url.protocol === "file:") {
return;
}
return await resolver.resolve(url.toString());
},
};
}
class DenoResolve {
private moduleCache = new Map<string, Module>();
async resolve(url: string): Promise<string> {
const module = await this.module(url);
if (!module) {
throw new Error(`invariant: ${url} not found`);
}
return await Deno.readTextFile(module.emit || module.local);
}
private async module(nameStr: string): Promise<Module | undefined> {
const foundModule = this.moduleCache.get(nameStr);
if (foundModule) {
return foundModule;
}
const moduleInfo = await this.info(nameStr);
for (const module of moduleInfo.modules) {
this.moduleCache.set(module.specifier, module);
}
return this.moduleCache.get(nameStr);
}
private async info(nameStr: string, cwd?: string) {
const p = new Deno.Command(Deno.execPath(), {
args: ["info", nameStr, "--json"],
cwd,
});
const output = await p.output();
if (!output.success) {
throw new Error(`invariant: could not get info on ${nameStr}`);
}
return JSON.parse(new TextDecoder().decode(output.stdout)) as ModuleInfo;
}
}