cli.ts 8.1 KB
Newer Older
J
Joao Moreno 已提交
1 2 3 4 5
/*---------------------------------------------------------------------------------------------
 *  Copyright (c) Microsoft Corporation. All rights reserved.
 *  Licensed under the MIT License. See License.txt in the project root for license information.
 *--------------------------------------------------------------------------------------------*/

6
import { spawn, ChildProcess } from 'child_process';
J
Joao Moreno 已提交
7
import { TPromise } from 'vs/base/common/winjs.base';
J
Joao Moreno 已提交
8
import { assign } from 'vs/base/common/objects';
J
Joao Moreno 已提交
9 10
import { parseCLIProcessArgv, buildHelpMessage } from 'vs/platform/environment/node/argv';
import { ParsedArgs } from 'vs/platform/environment/common/environment';
11 12
import product from 'vs/platform/node/product';
import pkg from 'vs/platform/node/package';
13 14
import * as paths from 'path';
import * as os from 'os';
15
import * as fs from 'fs';
B
Benjamin Pasero 已提交
16
import { whenDeleted } from 'vs/base/node/pfs';
17
import { findFreePort } from 'vs/base/node/ports';
18

J
Joao Moreno 已提交
19
function shouldSpawnCliProcess(argv: ParsedArgs): boolean {
20 21 22 23
	return !!argv['install-source']
		|| !!argv['list-extensions']
		|| !!argv['install-extension']
		|| !!argv['uninstall-extension'];
J
Joao Moreno 已提交
24 25 26 27 28 29
}

interface IMainCli {
	main: (argv: ParsedArgs) => TPromise<void>;
}

30
export async function main(argv: string[]): TPromise<any> {
J
Joao Moreno 已提交
31
	let args: ParsedArgs;
J
Joao Moreno 已提交
32

J
Joao Moreno 已提交
33 34 35 36 37 38 39
	try {
		args = parseCLIProcessArgv(argv);
	} catch (err) {
		console.error(err.message);
		return TPromise.as(null);
	}

B
Benjamin Pasero 已提交
40
	// Help
J
Joao Moreno 已提交
41
	if (args.help) {
J
Joao Moreno 已提交
42
		console.log(buildHelpMessage(product.nameLong, product.applicationName, pkg.version));
B
Benjamin Pasero 已提交
43 44 45 46
	}

	// Version Info
	else if (args.version) {
47
		console.log(`${pkg.version}\n${product.commit}\n${process.arch}`);
B
Benjamin Pasero 已提交
48 49 50 51
	}

	// Extensions Management
	else if (shouldSpawnCliProcess(args)) {
J
Joao Moreno 已提交
52
		const mainCli = new TPromise<IMainCli>(c => require(['vs/code/node/cliProcessMain'], c));
J
Joao Moreno 已提交
53
		return mainCli.then(cli => cli.main(args));
B
Benjamin Pasero 已提交
54 55 56 57
	}

	// Just Code
	else {
58 59
		const env = assign({}, process.env, {
			// this will signal Code that it was spawned from this module
J
Joao Moreno 已提交
60 61
			'VSCODE_CLI': '1',
			'ELECTRON_NO_ATTACH_CONSOLE': '1'
62
		});
B
Benjamin Pasero 已提交
63

B
Benjamin Pasero 已提交
64
		delete env['ELECTRON_RUN_AS_NODE'];
J
Joao Moreno 已提交
65

66 67
		let processCallbacks: ((child: ChildProcess) => Thenable<any>)[] = [];

B
Benjamin Pasero 已提交
68 69 70
		const verbose = args.verbose || args.ps;

		if (verbose) {
B
Benjamin Pasero 已提交
71
			env['ELECTRON_ENABLE_LOGGING'] = '1';
72 73 74 75

			processCallbacks.push(child => {
				child.stdout.on('data', (data: Buffer) => console.log(data.toString('utf8').trim()));
				child.stderr.on('data', (data: Buffer) => console.log(data.toString('utf8').trim()));
76

77 78
				return new TPromise<void>(c => child.once('exit', () => c(null)));
			});
B
Benjamin Pasero 已提交
79 80
		}

81
		// If we are running with input from stdin, pipe that into a file and
82
		// open this file via arguments. Ignore this when we are passed with
B
Benjamin Pasero 已提交
83
		// paths to open.
84 85
		let isReadingFromStdin: boolean;
		try {
86
			isReadingFromStdin = args._.length === 0 && !process.stdin.isTTY; // Via https://twitter.com/MylesBorins/status/782009479382626304
87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103
		} catch (error) {
			// Windows workaround for https://github.com/nodejs/node/issues/11656
		}

		let stdinFilePath: string;
		if (isReadingFromStdin) {
			let stdinFileError: Error;
			stdinFilePath = paths.join(os.tmpdir(), `stdin-${Math.random().toString(36).replace(/[^a-z]+/g, '').substr(0, 6)}.txt`);
			try {

				// Pipe into tmp file
				process.stdin.setEncoding('utf8');
				process.stdin.pipe(fs.createWriteStream(stdinFilePath));

				// Make sure to open tmp file
				argv.push(stdinFilePath);

104
				// Enable --wait to get all data and ignore adding this to history
105
				argv.push('--wait');
106
				argv.push('--skip-add-to-recently-opened');
107 108 109 110 111
				args.wait = true;
			} catch (error) {
				stdinFileError = error;
			}

B
Benjamin Pasero 已提交
112
			if (verbose) {
113 114 115 116 117 118 119 120
				if (stdinFileError) {
					console.error(`Failed to create file to read via stdin: ${stdinFileError.toString()}`);
				} else {
					console.log(`Reading from stdin via: ${stdinFilePath}`);
				}
			}
		}

121 122 123 124 125 126 127 128 129
		// If we are started with --wait create a random temporary file
		// and pass it over to the starting instance. We can use this file
		// to wait for it to be deleted to monitor that the edited file
		// is closed and then exit the waiting process.
		let waitMarkerFilePath: string;
		if (args.wait) {
			let waitMarkerError: Error;
			const randomTmpFile = paths.join(os.tmpdir(), Math.random().toString(36).replace(/[^a-z]+/g, '').substr(0, 10));
			try {
130
				fs.writeFileSync(randomTmpFile, '');
131 132 133 134 135 136
				waitMarkerFilePath = randomTmpFile;
				argv.push('--waitMarkerFilePath', waitMarkerFilePath);
			} catch (error) {
				waitMarkerError = error;
			}

B
Benjamin Pasero 已提交
137
			if (verbose) {
138 139 140 141 142 143 144 145
				if (waitMarkerError) {
					console.error(`Failed to create marker file for --wait: ${waitMarkerError.toString()}`);
				} else {
					console.log(`Marker file for --wait created: ${waitMarkerFilePath}`);
				}
			}
		}

146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167
		// If we have been started with `--prof-startup` we need to find free ports to profile
		// the main process, the renderer, and the extension host. We also disable v8 cached data
		// to get better profile traces. Last, we listen on stdout for a signal that tells us to
		// stop profiling.
		if (args['prof-startup']) {
			const portMain = await findFreePort(9222, 10, 6000);
			const portRenderer = await findFreePort(portMain + 1, 10, 6000);
			const portExthost = await findFreePort(portRenderer + 1, 10, 6000);

			if (!portMain || !portRenderer || !portExthost) {
				console.error('Failed to find free ports for profiler to connect to do.');
				return;
			}

			const filenamePrefix = paths.join(os.homedir(), Math.random().toString(16).slice(-4));

			argv.push(`--inspect-brk=${portMain}`);
			argv.push(`--remote-debugging-port=${portRenderer}`);
			argv.push(`--inspect-brk-extensions=${portExthost}`);
			argv.push(`--prof-startup-prefix`, filenamePrefix);
			argv.push(`--no-cached-data`);

168
			fs.writeFileSync(filenamePrefix, argv.slice(-6).join('|'));
169 170 171 172 173 174 175 176 177 178 179 180 181

			processCallbacks.push(async child => {

				// load and start profiler
				const profiler = await import('v8-inspect-profiler');
				const main = await profiler.startProfiling({ port: portMain });
				const renderer = await profiler.startProfiling({ port: portRenderer, tries: 200 });
				const extHost = await profiler.startProfiling({ port: portExthost, tries: 300 });

				// wait for the renderer to delete the
				// marker file
				whenDeleted(filenamePrefix);

182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197
				let profileMain = await main.stop();
				let profileRenderer = await renderer.stop();
				let profileExtHost = await extHost.stop();
				let suffix = '';

				if (!process.env['VSCODE_DEV']) {
					// when running from a not-development-build we remove
					// absolute filenames because we don't want to reveal anything
					// about users. We also append the `.txt` suffix to make it
					// easier to attach these files to GH issues
					profileMain = profiler.rewriteAbsolutePaths(profileMain, 'piiRemoved');
					profileRenderer = profiler.rewriteAbsolutePaths(profileRenderer, 'piiRemoved');
					profileExtHost = profiler.rewriteAbsolutePaths(profileExtHost, 'piiRemoved');
					suffix = '.txt';
				}

198
				// finally stop profiling and save profiles to disk
199 200 201
				await profiler.writeProfile(profileMain, `${filenamePrefix}-main.cpuprofile${suffix}`);
				await profiler.writeProfile(profileRenderer, `${filenamePrefix}-renderer.cpuprofile${suffix}`);
				await profiler.writeProfile(profileExtHost, `${filenamePrefix}-exthost.cpuprofile${suffix}`);
202 203 204
			});
		}

B
Benjamin Pasero 已提交
205
		const options = {
D
Daniel Imms 已提交
206
			detached: true,
207
			env
208
		};
B
Benjamin Pasero 已提交
209

B
Benjamin Pasero 已提交
210
		if (!verbose) {
211 212 213
			options['stdio'] = 'ignore';
		}

J
Joao Moreno 已提交
214
		const child = spawn(process.execPath, argv.slice(2), options);
215

216 217 218 219 220 221 222
		if (args.wait && waitMarkerFilePath) {
			return new TPromise<void>(c => {

				// Complete when process exits
				child.once('exit', () => c(null));

				// Complete when wait marker file is deleted
B
Benjamin Pasero 已提交
223
				whenDeleted(waitMarkerFilePath).done(c, c);
224 225 226 227 228 229
			}).then(() => {

				// Make sure to delete the tmp stdin file if we have any
				if (stdinFilePath) {
					fs.unlinkSync(stdinFilePath);
				}
230 231
			});
		}
232 233

		return TPromise.join(processCallbacks.map(callback => callback(child)));
J
Joao Moreno 已提交
234 235
	}

J
Joao Moreno 已提交
236
	return TPromise.as(null);
J
Joao Moreno 已提交
237 238
}

239 240 241 242
function eventuallyExit(code: number): void {
	setTimeout(() => process.exit(code), 0);
}

J
Joao Moreno 已提交
243
main(process.argv)
244
	.then(() => eventuallyExit(0))
J
Joao Moreno 已提交
245 246
	.then(null, err => {
		console.error(err.stack ? err.stack : err);
247
		eventuallyExit(1);
J
Joao Moreno 已提交
248
	});