-
Notifications
You must be signed in to change notification settings - Fork 1
/
vite.config.ts
211 lines (192 loc) · 6.66 KB
/
vite.config.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
import { defineConfig, IndexHtmlTransformContext, Plugin } from 'vite';
import path from 'path';
import fs from 'fs/promises';
import typescriptPlugin from '@rollup/plugin-typescript';
import { OutputAsset, OutputChunk } from 'rollup';
import { Input, InputAction, InputType, Packer } from 'roadroller';
import CleanCSS from 'clean-css';
import { statSync } from 'fs';
const { execFileSync } = require('child_process');
import ect from 'ect-bin';
const htmlMinify = require('html-minifier');
const tmp = require('tmp');
const ClosureCompiler = require('google-closure-compiler').compiler;
export default defineConfig(({ command, mode }) => {
const config = {
server: {
port: 3000,
},
resolve: {
alias: {
'@': path.resolve(__dirname, './src'),
}
},
plugins: undefined
};
if (command === 'build') {
// @ts-ignore
config.esbuild = false;
// @ts-ignore
config.base = '';
// @ts-ignore
config.build = {
minify: false,
target: 'es2020',
modulePreload: { polyfill: false },
assetsInlineLimit: 800,
assetsDir: '',
rollupOptions: {
output: {
inlineDynamicImports: true,
manualChunks: undefined,
assetFileNames: '[name].[ext]'
},
}
};
// @ts-ignore
config.plugins = [typescriptPlugin(), closurePlugin(), roadrollerPlugin(), ectPlugin()];
}
return config;
});
function closurePlugin(): Plugin {
return {
name: 'closure-compiler',
// @ts-ignore
renderChunk: applyClosure,
enforce: 'post',
};
}
async function applyClosure(js: string, chunk: any) {
const tmpobj = tmp.fileSync();
// replace all consts with lets to save about 50-70 bytes
// ts-ignore
js = js.replaceAll('const ', 'let ');
await fs.writeFile(tmpobj.name, js);
const closureCompiler = new ClosureCompiler({
js: tmpobj.name,
externs: 'externs.js',
compilation_level: 'ADVANCED',
language_in: 'ECMASCRIPT_2020',
language_out: 'ECMASCRIPT_2020',
});
return new Promise((resolve, reject) => {
closureCompiler.run((_exitCode: string, stdOut: string, stdErr: string) => {
if (stdOut !== '') {
resolve({ code: stdOut });
} else if (stdErr !== '') { // only reject if stdout isn't generated
reject(stdErr);
return;
}
console.warn(stdErr); // If we make it here, there were warnings but no errors
});
});
}
function roadrollerPlugin(): Plugin {
return {
name: 'vite:roadroller',
transformIndexHtml: {
enforce: 'post',
transform: async(html: string, ctx?: IndexHtmlTransformContext): Promise<string> => {
// Only use this plugin during build
if (!ctx || !ctx.bundle) {
return html;
}
const options = {
includeAutoGeneratedTags: true,
removeAttributeQuotes: true,
removeComments: true,
removeRedundantAttributes: true,
removeScriptTypeAttributes: true,
removeStyleLinkTypeAttributes: true,
sortClassName: true,
useShortDoctype: true,
collapseWhitespace: true,
collapseInlineTagWhitespace: true,
removeEmptyAttributes: true,
removeOptionalTags: true,
sortAttributes: true,
minifyCSS: true,
};
const bundleOutputs = Object.values(ctx.bundle);
const javascript = bundleOutputs.find((output) => output.fileName.endsWith('.js')) as OutputChunk;
const css = bundleOutputs.find((output) => output.fileName.endsWith('.css')) as OutputAsset;
const otherBundleOutputs = bundleOutputs.filter((output) => output !== javascript);
if (otherBundleOutputs.length > 0) {
otherBundleOutputs.forEach((output) => console.warn(`WARN Asset not inlined: ${output.fileName}`));
}
const cssInHtml = css ? embedCss(html, css) : html;
const minifiedHtml = await htmlMinify.minify(cssInHtml, options);
return embedJs(minifiedHtml, javascript);
},
},
};
}
/**
* Transforms the given JavaScript code into a packed version.
* @param html The original HTML.
* @param chunk The JavaScript output chunk from Rollup/Vite.
* @returns The transformed HTML with the JavaScript embedded.
*/
async function embedJs(html: string, chunk: OutputChunk): Promise<string> {
const scriptTagRemoved = html.replace(new RegExp(`<script[^>]*?src=[\./]*${chunk.fileName}[^>]*?></script>`), '');
const htmlInJs = `document.write('${scriptTagRemoved}');` + chunk.code.trim();
const inputs: Input[] = [
{
data: htmlInJs,
type: 'js' as InputType,
action: 'eval' as InputAction,
},
];
let options;
if (process.env.USE_RR_CONFIG) {
try {
options = JSON.parse(await fs.readFile(`${__dirname}/roadroller-config.json`, 'utf-8'));
} catch(error) {
throw new Error('Roadroller config not found. Generate one or use the regular build option');
}
} else {
options = { allowFreeVars: true };
}
const packer = new Packer(inputs, options);
await Promise.all([
fs.writeFile(`${path.join(__dirname, 'dist')}/output.js`, htmlInJs),
packer.optimize(process.env.LEVEL_2_BUILD ? 2 : 0) // Regular builds use level 2, but rr config builds use the supplied params
]);
const { firstLine, secondLine } = packer.makeDecoder();
return `<script>\n${firstLine}\n${secondLine}\n</script>`;
}
/**
* Embeds CSS into the HTML.
* @param html The original HTML.
* @param asset The CSS asset.
* @returns The transformed HTML with the CSS embedded.
*/
function embedCss(html: string, asset: OutputAsset): string {
const reCSS = new RegExp(`<link rel="stylesheet"[^>]*?href="[\./]*${asset.fileName}"[^>]*?>`);
const code = `<style>${new CleanCSS({ level: 2 }).minify(asset.source as string).styles}</style>`;
return html.replace(reCSS, code);
}
/**
* Creates the ECT plugin that uses Efficient-Compression-Tool to build a zip file.
* @returns The ECT plugin.
*/
function ectPlugin(): Plugin {
return {
name: 'vite:ect',
writeBundle: async(): Promise<void> => {
try {
const files = await fs.readdir('dist/');
const assetFiles = files.filter(file => {
return !file.includes('.js') && !file.includes('.css') && !file.includes('.html') && !file.includes('.zip') && file !== 'assets';
}).map(file => 'dist/' + file);
const args = ['-strip', '-zip', '-10009', 'dist/index.html', ...assetFiles];
const result = execFileSync(ect, args);
console.debug('ECT result', result.toString().trim());
const stats = statSync('dist/index.zip');
console.debug('ZIP size', stats.size);
} catch (err) {
console.debug('ECT error', err);
}
},
};
}