forked from MCJack123/TypeScriptToLua
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathbundle.ts
More file actions
159 lines (131 loc) · 5.96 KB
/
bundle.ts
File metadata and controls
159 lines (131 loc) · 5.96 KB
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
import * as path from "path";
import { SourceNode } from "source-map";
import * as ts from "typescript";
import { CompilerOptions, LuaTarget } from "../CompilerOptions";
import { escapeString, tstlHeader } from "../LuaPrinter";
import { cast, formatPathToLuaPath, isNonNull, trimExtension } from "../utils";
import { couldNotFindBundleEntryPoint } from "./diagnostics";
import { getEmitOutDir, getEmitPathRelativeToOutDir, getProjectRoot } from "./transpiler";
import { EmitFile, ProcessedFile } from "./utils";
const createModulePath = (pathToResolve: string, program: ts.Program) =>
escapeString(formatPathToLuaPath(trimExtension(getEmitPathRelativeToOutDir(pathToResolve, program))));
// Override `require` to read from ____modules table.
function requireOverride(options: CompilerOptions) {
const runModule =
options.luaTarget === LuaTarget.Lua50
? "(table.getn(arg) > 0) and module(unpack(arg)) or module(file)"
: '(select("#", ...) > 0) and module(...) or module(file)';
return `
local ____modules = {}
local ____moduleCache = {}
local ____originalRequire = require
local function require(file, ...)
if ____moduleCache[file] then
return ____moduleCache[file].value
end
if ____modules[file] then
local module = ____modules[file]
____moduleCache[file] = { value = ${runModule} }
return ____moduleCache[file].value
else
if ____originalRequire then
return ____originalRequire(file)
else
error("module '" .. file .. "' not found")
end
end
end
`;
}
export const sourceMapTracebackBundlePlaceholder = "{#SourceMapTracebackBundle}";
type SourceMapLineData = number | { line: number; file: string };
export function printStackTraceBundleOverride(rootNode: SourceNode): string {
const map: Record<number, SourceMapLineData> = {};
const getLineNumber = (line: number, fallback: number) => {
const data: SourceMapLineData | undefined = map[line];
if (data === undefined) {
return fallback;
}
if (typeof data === "number") {
return data;
}
return data.line;
};
const transformLineData = (data: SourceMapLineData) => {
if (typeof data === "number") {
return data;
}
return `{line = ${data.line}, file = "${data.file}"}`;
};
let currentLine = 1;
rootNode.walk((chunk, mappedPosition) => {
if (mappedPosition.line !== undefined && mappedPosition.line > 0) {
const line = getLineNumber(currentLine, mappedPosition.line);
map[currentLine] = {
line,
file: path.basename(mappedPosition.source),
};
}
currentLine += chunk.split("\n").length - 1;
});
const mapItems = Object.entries(map).map(([line, original]) => `["${line}"] = ${transformLineData(original)}`);
const mapString = "{" + mapItems.join(",") + "}";
return `__TS__SourceMapTraceBack(debug.getinfo(1).short_src, ${mapString});`;
}
export function getBundleResult(program: ts.Program, files: ProcessedFile[]): [ts.Diagnostic[], EmitFile] {
const diagnostics: ts.Diagnostic[] = [];
const options = program.getCompilerOptions() as CompilerOptions;
const bundleFile = cast(options.luaBundle, isNonNull);
const entryModule = cast(options.luaBundleEntry, isNonNull);
// Resolve project settings relative to project file.
const resolvedEntryModule = path.resolve(getProjectRoot(program), entryModule);
const outputPath = path.resolve(getEmitOutDir(program), bundleFile);
const entryModuleFilePath =
program.getSourceFile(entryModule)?.fileName ?? program.getSourceFile(resolvedEntryModule)?.fileName;
if (entryModuleFilePath === undefined) {
diagnostics.push(couldNotFindBundleEntryPoint(entryModule));
}
// For each file: ["<module path>"] = function() <lua content> end,
const moduleTableEntries = files.map(f => moduleSourceNode(f, createModulePath(f.fileName, program)));
// Create ____modules table containing all entries from moduleTableEntries
const moduleTable = createModuleTableNode(moduleTableEntries);
// return require("<entry module path>")
const args = options.luaTarget === LuaTarget.Lua50 ? "unpack(arg == nil and {} or arg)" : "...";
const entryPoint = `return require(${createModulePath(entryModuleFilePath ?? entryModule, program)}, ${args})\n`;
const footers: string[] = [];
if (options.sourceMapTraceback) {
// Generates SourceMapTraceback for the entire file
footers.push(`local __TS__SourceMapTraceBack = require("${options.luaLibName ?? "lualib_bundle"}").__TS__SourceMapTraceBack\n`);
footers.push(`${sourceMapTracebackBundlePlaceholder}\n`);
}
const sourceChunks = [requireOverride(options), moduleTable, ...footers, entryPoint];
if (!options.noHeader) {
sourceChunks.unshift(tstlHeader);
}
const bundleNode = joinSourceChunks(sourceChunks);
let { code, map } = bundleNode.toStringWithSourceMap();
code = code.replace(sourceMapTracebackBundlePlaceholder, printStackTraceBundleOverride(bundleNode));
return [
diagnostics,
{
outputPath,
code,
sourceMap: map.toString(),
sourceFiles: files.flatMap(x => x.sourceFiles ?? []),
},
];
}
function moduleSourceNode({ code, sourceMapNode }: ProcessedFile, modulePath: string): SourceNode {
const tableEntryHead = `[${modulePath}] = function(...) \n`;
const tableEntryTail = " end,\n";
return joinSourceChunks([tableEntryHead, sourceMapNode ?? code, tableEntryTail]);
}
function createModuleTableNode(fileChunks: SourceChunk[]): SourceNode {
const tableHead = "____modules = {\n";
const tableEnd = "}\n";
return joinSourceChunks([tableHead, ...fileChunks, tableEnd]);
}
type SourceChunk = string | SourceNode;
function joinSourceChunks(chunks: SourceChunk[]): SourceNode {
return new SourceNode(null, null, null, chunks);
}