]> git.proxmox.com Git - mirror_novnc.git/blame - utils/use_require.js
Upgrade to latest babel
[mirror_novnc.git] / utils / use_require.js
CommitLineData
ae510306
SR
1#!/usr/bin/env node
2
2b5f94fa
JD
3const path = require('path');
4const program = require('commander');
5const fs = require('fs');
6const fse = require('fs-extra');
0dd439a8 7const babel = require('@babel/core');
ae510306 8
6cae7b58 9const SUPPORTED_FORMATS = new Set(['amd', 'commonjs', 'systemjs', 'umd']);
ae510306
SR
10
11program
6cae7b58
SR
12 .option('--as [format]', `output files using various import formats instead of ES6 import and export. Supports ${Array.from(SUPPORTED_FORMATS)}.`)
13 .option('-m, --with-source-maps [type]', 'output source maps when not generating a bundled app (type may be empty for external source maps, inline for inline source maps, or both) ')
14 .option('--with-app', 'process app files as well as core files')
4a65d50d 15 .option('--only-legacy', 'only output legacy files (no ES6 modules) for the app')
c4e5a50e 16 .option('--clean', 'clear the lib folder before building')
ae510306
SR
17 .parse(process.argv);
18
19// the various important paths
152c3995
SR
20const paths = {
21 main: path.resolve(__dirname, '..'),
22 core: path.resolve(__dirname, '..', 'core'),
23 app: path.resolve(__dirname, '..', 'app'),
24 vendor: path.resolve(__dirname, '..', 'vendor'),
25 out_dir_base: path.resolve(__dirname, '..', 'build'),
26 lib_dir_base: path.resolve(__dirname, '..', 'lib'),
27};
ae510306 28
adfc9d3f
SR
29const no_copy_files = new Set([
30 // skip these -- they don't belong in the processed application
152c3995
SR
31 path.join(paths.vendor, 'sinon.js'),
32 path.join(paths.vendor, 'browser-es-module-loader'),
d584c5f6 33 path.join(paths.app, 'images', 'icons', 'Makefile'),
adfc9d3f
SR
34]);
35
b88a92af
PO
36const only_legacy_scripts = new Set([
37 path.join(paths.vendor, 'promise.js'),
38]);
39
adfc9d3f
SR
40const no_transform_files = new Set([
41 // don't transform this -- we want it imported as-is to properly catch loading errors
152c3995 42 path.join(paths.app, 'error-handler.js'),
adfc9d3f
SR
43]);
44
651c23ec 45no_copy_files.forEach(file => no_transform_files.add(file));
152c3995 46
21633268
PO
47// util.promisify requires Node.js 8.x, so we have our own
48function promisify(original) {
e7777653 49 return function promise_wrap() {
2b5f94fa 50 const args = Array.prototype.slice.call(arguments);
21633268 51 return new Promise((resolve, reject) => {
651c23ec 52 original.apply(this, args.concat((err, value) => {
21633268
PO
53 if (err) return reject(err);
54 resolve(value);
55 }));
56 });
0ae5c54a 57 };
21633268
PO
58}
59
60const readFile = promisify(fs.readFile);
61const writeFile = promisify(fs.writeFile);
62
63const readdir = promisify(fs.readdir);
64const lstat = promisify(fs.lstat);
65
66const copy = promisify(fse.copy);
be7b4e88 67const unlink = promisify(fse.unlink);
21633268 68const ensureDir = promisify(fse.ensureDir);
be7b4e88 69const rmdir = promisify(fse.rmdir);
21633268
PO
70
71const babelTransformFile = promisify(babel.transformFile);
72
6cae7b58
SR
73// walkDir *recursively* walks directories trees,
74// calling the callback for all normal files found.
651c23ec 75function walkDir(base_path, cb, filter) {
21633268 76 return readdir(base_path)
7b536961
PO
77 .then((files) => {
78 const paths = files.map(filename => path.join(base_path, filename));
79 return Promise.all(paths.map(filepath => lstat(filepath)
80 .then((stats) => {
81 if (filter !== undefined && !filter(filepath, stats)) return;
82
83 if (stats.isSymbolicLink()) return;
84 if (stats.isFile()) return cb(filepath);
85 if (stats.isDirectory()) return walkDir(filepath, cb, filter);
86 })));
87 });
651c23ec 88}
ae510306 89
2c5491e1 90function transform_html(legacy_scripts, only_legacy) {
ae510306 91 // write out the modified vnc.html file that works with the bundle
2b5f94fa
JD
92 const src_html_path = path.resolve(__dirname, '..', 'vnc.html');
93 const out_html_path = path.resolve(paths.out_dir_base, 'vnc.html');
21633268 94 return readFile(src_html_path)
7b536961
PO
95 .then((contents_raw) => {
96 let contents = contents_raw.toString();
ae510306 97
7b536961
PO
98 const start_marker = '<!-- begin scripts -->\n';
99 const end_marker = '<!-- end scripts -->';
100 const start_ind = contents.indexOf(start_marker) + start_marker.length;
101 const end_ind = contents.indexOf(end_marker, start_ind);
ae510306 102
7b536961 103 let new_script = '';
4a65d50d 104
7b536961 105 if (only_legacy) {
4a65d50d 106 // Only legacy version, so include things directly
7b536961
PO
107 for (let i = 0;i < legacy_scripts.length;i++) {
108 new_script += ` <script src="${legacy_scripts[i]}"></script>\n`;
109 }
110 } else {
0b51419c 111 // Otherwise include both modules and legacy fallbacks
7b536961 112 new_script += ' <script type="module" crossorigin="anonymous" src="app/ui.js"></script>\n';
0b51419c 113 for (let i = 0;i < legacy_scripts.length;i++) {
c6e37040 114 new_script += ` <script nomodule src="${legacy_scripts[i]}"></script>\n`;
0b51419c 115 }
7b536961 116 }
4a65d50d 117
7b536961 118 contents = contents.slice(0, start_ind) + `${new_script}\n` + contents.slice(end_ind);
ae510306 119
7b536961
PO
120 return contents;
121 })
122 .then((contents) => {
123 console.log(`Writing ${out_html_path}`);
124 return writeFile(out_html_path, contents);
125 });
6cae7b58 126}
ae510306 127
651c23ec 128function make_lib_files(import_format, source_maps, with_app_dir, only_legacy) {
6cae7b58
SR
129 if (!import_format) {
130 throw new Error("you must specify an import format to generate compiled noVNC libraries");
131 } else if (!SUPPORTED_FORMATS.has(import_format)) {
132 throw new Error(`unsupported output format "${import_format}" for import/export -- only ${Array.from(SUPPORTED_FORMATS)} are supported`);
133 }
134
135 // NB: we need to make a copy of babel_opts, since babel sets some defaults on it
136 const babel_opts = () => ({
0dd439a8
PO
137 plugins: [],
138 presets: [
139 [ '@babel/preset-env',
140 { targets: 'ie >= 11',
141 modules: import_format } ]
142 ],
6cae7b58
SR
143 ast: false,
144 sourceMaps: source_maps,
145 });
6cae7b58 146
4a65d50d
PO
147 // No point in duplicate files without the app, so force only converted files
148 if (!with_app_dir) {
149 only_legacy = true;
150 }
151
2b5f94fa
JD
152 let in_path;
153 let out_path_base;
6cae7b58 154 if (with_app_dir) {
8727f598 155 out_path_base = paths.out_dir_base;
152c3995 156 in_path = paths.main;
6cae7b58 157 } else {
8727f598 158 out_path_base = paths.lib_dir_base;
6cae7b58 159 }
4a65d50d 160 const legacy_path_base = only_legacy ? out_path_base : path.join(out_path_base, 'legacy');
6cae7b58
SR
161
162 fse.ensureDirSync(out_path_base);
163
164 const helpers = require('./use_require_helpers');
165 const helper = helpers[import_format];
a80955ee 166
be7b4e88 167 const outFiles = [];
b88a92af 168 const legacyFiles = [];
be7b4e88 169
2b5f94fa 170 const handleDir = (js_only, vendor_rewrite, in_path_base, filename) => Promise.resolve()
7b536961 171 .then(() => {
7b536961
PO
172 const out_path = path.join(out_path_base, path.relative(in_path_base, filename));
173 const legacy_path = path.join(legacy_path_base, path.relative(in_path_base, filename));
4a65d50d 174
35068204 175 if (path.extname(filename) !== '.js') {
7b536961
PO
176 if (!js_only) {
177 console.log(`Writing ${out_path}`);
178 return copy(filename, out_path);
179 }
180 return; // skip non-javascript files
ae510306 181 }
ae510306 182
6b208034
PO
183 if (no_transform_files.has(filename)) {
184 return ensureDir(path.dirname(out_path))
185 .then(() => {
186 console.log(`Writing ${out_path}`);
187 return copy(filename, out_path);
188 });
189 }
190
b88a92af
PO
191 if (only_legacy_scripts.has(filename)) {
192 legacyFiles.push(legacy_path);
193 return ensureDir(path.dirname(legacy_path))
194 .then(() => {
195 console.log(`Writing ${legacy_path}`);
196 return copy(filename, legacy_path);
197 });
198 }
199
7b536961
PO
200 return Promise.resolve()
201 .then(() => {
6b208034 202 if (only_legacy) {
7b536961
PO
203 return;
204 }
205 return ensureDir(path.dirname(out_path))
206 .then(() => {
207 console.log(`Writing ${out_path}`);
208 return copy(filename, out_path);
0ae5c54a 209 });
7b536961
PO
210 })
211 .then(() => ensureDir(path.dirname(legacy_path)))
212 .then(() => {
7b536961
PO
213 const opts = babel_opts();
214 if (helper && helpers.optionsOverride) {
215 helper.optionsOverride(opts);
216 }
1524df89
PO
217 // Adjust for the fact that we move the core files relative
218 // to the vendor directory
7b536961
PO
219 if (vendor_rewrite) {
220 opts.plugins.push(["import-redirect",
221 {"root": legacy_path_base,
222 "redirect": { "vendor/(.+)": "./vendor/$1"}}]);
223 }
adfc9d3f 224
7b536961
PO
225 return babelTransformFile(filename, opts)
226 .then((res) => {
227 console.log(`Writing ${legacy_path}`);
228 const {map} = res;
229 let {code} = res;
230 if (source_maps === true) {
6cae7b58 231 // append URL for external source map
7b536961
PO
232 code += `\n//# sourceMappingURL=${path.basename(legacy_path)}.map\n`;
233 }
234 outFiles.push(`${legacy_path}`);
235 return writeFile(legacy_path, code)
236 .then(() => {
237 if (source_maps === true || source_maps === 'both') {
238 console.log(` and ${legacy_path}.map`);
239 outFiles.push(`${legacy_path}.map`);
240 return writeFile(`${legacy_path}.map`, JSON.stringify(map));
241 }
242 });
243 });
21633268 244 });
6cae7b58 245 });
6cae7b58 246
21633268 247 Promise.resolve()
7b536961
PO
248 .then(() => {
249 const handler = handleDir.bind(null, true, false, in_path || paths.main);
250 const filter = (filename, stats) => !no_copy_files.has(filename);
251 return walkDir(paths.vendor, handler, filter);
252 })
253 .then(() => {
254 const handler = handleDir.bind(null, true, !in_path, in_path || paths.core);
255 const filter = (filename, stats) => !no_copy_files.has(filename);
256 return walkDir(paths.core, handler, filter);
257 })
258 .then(() => {
259 if (!with_app_dir) return;
260 const handler = handleDir.bind(null, false, false, in_path);
261 const filter = (filename, stats) => !no_copy_files.has(filename);
262 return walkDir(paths.app, handler, filter);
4a65d50d 263 })
be7b4e88 264 .then(() => {
7b536961
PO
265 if (!with_app_dir) return;
266
267 if (!helper || !helper.appWriter) {
268 throw new Error(`Unable to generate app for the ${import_format} format!`);
269 }
270
271 const out_app_path = path.join(legacy_path_base, 'app.js');
272 console.log(`Writing ${out_app_path}`);
273 return helper.appWriter(out_path_base, legacy_path_base, out_app_path)
274 .then((extra_scripts) => {
b88a92af
PO
275 let legacy_scripts = extra_scripts;
276
277 legacyFiles.forEach((file) => {
278 let rel_file_path = path.relative(out_path_base, file);
279 legacy_scripts.push(rel_file_path);
280 });
281
282 let rel_app_path = path.relative(out_path_base, out_app_path);
283 legacy_scripts.push(rel_app_path);
284
7b536961
PO
285 transform_html(legacy_scripts, only_legacy);
286 })
be7b4e88 287 .then(() => {
7b536961
PO
288 if (!helper.removeModules) return;
289 console.log(`Cleaning up temporary files...`);
290 return Promise.all(outFiles.map((filepath) => {
291 unlink(filepath)
292 .then(() => {
be7b4e88
PO
293 // Try to clean up any empty directories if this
294 // was the last file in there
7b536961
PO
295 const rmdir_r = dir =>
296 rmdir(dir)
297 .then(() => rmdir_r(path.dirname(dir)))
298 .catch(() => {
be7b4e88 299 // Assume the error was ENOTEMPTY and ignore it
7b536961
PO
300 });
301 return rmdir_r(path.dirname(filepath));
302 });
303 }));
be7b4e88 304 });
7b536961
PO
305 })
306 .catch((err) => {
307 console.error(`Failure converting modules: ${err}`);
308 process.exit(1);
be7b4e88 309 });
651c23ec 310}
ae510306 311
c4e5a50e
SR
312if (program.clean) {
313 console.log(`Removing ${paths.lib_dir_base}`);
314 fse.removeSync(paths.lib_dir_base);
315
316 console.log(`Removing ${paths.out_dir_base}`);
317 fse.removeSync(paths.out_dir_base);
318}
319
4a65d50d 320make_lib_files(program.as, program.withSourceMaps, program.withApp, program.onlyLegacy);