code-server-2/server.ts

293 lines
9.2 KiB
TypeScript
Raw Normal View History

2019-06-27 22:34:33 +00:00
import * as fs from "fs";
import * as http from "http";
import * as net from "net";
import * as path from "path";
import * as util from "util";
import * as url from "url";
import { Emitter } from "vs/base/common/event";
2019-06-28 22:49:29 +00:00
import { getMediaMime } from "vs/base/common/mime";
import { Schemas } from "vs/base/common/network";
2019-06-28 22:49:29 +00:00
import { extname } from "vs/base/common/path";
import { URI } from "vs/base/common/uri";
2019-06-28 22:37:23 +00:00
import { IPCServer, ClientConnectionEvent } from "vs/base/parts/ipc/common/ipc";
import { validatePaths } from "vs/code/node/paths";
import { parseMainProcessArgv } from "vs/platform/environment/node/argvHelper";
import { ParsedArgs } from "vs/platform/environment/common/environment";
import { EnvironmentService } from "vs/platform/environment/node/environmentService";
import { InstantiationService } from "vs/platform/instantiation/common/instantiationService";
import { getLogLevel, ILogService } from "vs/platform/log/common/log";
2019-06-28 22:37:23 +00:00
import { LogLevelSetterChannel } from "vs/platform/log/common/logIpc";
2019-07-01 19:18:30 +00:00
import { SpdLogService } from "vs/platform/log/node/spdlogService";
import { IProductConfiguration } from "vs/platform/product/common/product";
import { ConnectionType, ConnectionTypeRequest } from "vs/platform/remote/common/remoteAgentConnection";
2019-06-28 22:37:23 +00:00
import { REMOTE_FILE_SYSTEM_CHANNEL_NAME } from "vs/platform/remote/common/remoteAgentFileSystemChannel";
2019-07-01 19:18:30 +00:00
import { RemoteExtensionLogFileName } from "vs/workbench/services/remote/common/remoteAgentService";
import { IWorkbenchConstructionOptions } from "vs/workbench/workbench.web.api";
2019-06-28 22:37:23 +00:00
import { Connection, ManagementConnection, ExtensionHostConnection } from "vs/server/connection";
2019-06-28 22:37:23 +00:00
import { ExtensionEnvironmentChannel, FileProviderChannel } from "vs/server/channel";
import { Protocol } from "vs/server/protocol";
2019-06-27 22:34:33 +00:00
2019-06-28 22:37:23 +00:00
export enum HttpCode {
2019-06-27 22:34:33 +00:00
Ok = 200,
NotFound = 404,
BadRequest = 400,
}
export interface Options {
WORKBENCH_WEB_CONGIGURATION: IWorkbenchConstructionOptions;
REMOTE_USER_DATA_URI: URI;
PRODUCT_CONFIGURATION: IProductConfiguration | null;
CONNECTION_AUTH_TOKEN: string;
}
2019-06-28 22:37:23 +00:00
export class HttpError extends Error {
2019-06-27 22:34:33 +00:00
public constructor(message: string, public readonly code: number) {
super(message);
// @ts-ignore
this.name = this.constructor.name;
Error.captureStackTrace(this, this.constructor);
}
}
export class Server {
// Used to notify the IPC server that there is a new client.
2019-06-28 22:37:23 +00:00
public readonly _onDidClientConnect = new Emitter<ClientConnectionEvent>();
2019-06-27 22:34:33 +00:00
public readonly onDidClientConnect = this._onDidClientConnect.event;
private readonly rootPath = path.resolve(__dirname, "../../..");
2019-06-28 22:37:23 +00:00
// This is separate instead of just extending this class since we can't
// use properties in the super call. This manages channels.
private readonly ipc = new IPCServer(this.onDidClientConnect);
// The web server.
2019-06-27 22:34:33 +00:00
private readonly server: http.Server;
private readonly environmentService: EnvironmentService;
private readonly logService: ILogService;
// Persistent connections. These can reconnect within a timeout.
private readonly connections = new Map<ConnectionType, Map<string, Connection>>();
2019-06-27 22:34:33 +00:00
public constructor() {
this.server = http.createServer(async (request, response): Promise<void> => {
try {
2019-06-28 22:49:29 +00:00
const [content, headers] = await this.handleRequest(request);
2019-06-27 22:34:33 +00:00
response.writeHead(HttpCode.Ok, {
"Cache-Control": "max-age=86400",
// TODO: ETag?
2019-06-28 22:49:29 +00:00
...headers,
2019-06-27 22:34:33 +00:00
});
response.end(content);
} catch (error) {
response.writeHead(typeof error.code === "number" ? error.code : 500);
response.end(error.message);
}
});
this.server.on("upgrade", async (request, socket) => {
const protocol = this.createProtocol(request, socket);
2019-06-28 22:37:23 +00:00
try {
await this.connect(await protocol.handshake(), protocol);
2019-06-28 22:37:23 +00:00
} catch (error) {
protocol.dispose(error);
2019-06-28 22:37:23 +00:00
}
2019-06-27 22:34:33 +00:00
});
this.server.on("error", (error) => {
console.error(error);
process.exit(1);
});
2019-06-28 22:37:23 +00:00
let args: ParsedArgs;
try {
args = parseMainProcessArgv(process.argv);
args = validatePaths(args);
} catch (error) {
console.error(error.message);
return process.exit(1);
}
this.environmentService = new EnvironmentService(args, process.execPath);
2019-06-28 22:37:23 +00:00
this.logService = new SpdLogService(
2019-07-01 19:18:30 +00:00
RemoteExtensionLogFileName,
this.environmentService.logsPath,
getLogLevel(this.environmentService),
);
this.ipc.registerChannel("loglevel", new LogLevelSetterChannel(this.logService));
2019-06-28 22:37:23 +00:00
const instantiationService = new InstantiationService();
instantiationService.invokeFunction(() => {
this.ipc.registerChannel(
REMOTE_FILE_SYSTEM_CHANNEL_NAME,
new FileProviderChannel(this.logService),
2019-06-28 22:37:23 +00:00
);
this.ipc.registerChannel(
"remoteextensionsenvironment",
new ExtensionEnvironmentChannel(this.environmentService),
2019-06-28 22:37:23 +00:00
);
});
2019-06-27 22:34:33 +00:00
}
2019-06-28 22:49:29 +00:00
private async handleRequest(request: http.IncomingMessage): Promise<[string | Buffer, http.OutgoingHttpHeaders]> {
2019-06-27 22:34:33 +00:00
if (request.method !== "GET") {
throw new HttpError(
`Unsupported method ${request.method}`,
HttpCode.BadRequest,
);
}
const requestPath = url.parse(request.url || "").pathname || "/";
if (requestPath === "/") {
const htmlPath = path.join(
this.rootPath,
'out/vs/code/browser/workbench/workbench.html',
);
let html = await util.promisify(fs.readFile)(htmlPath, "utf8");
const options: Options = {
2019-06-27 22:34:33 +00:00
WORKBENCH_WEB_CONGIGURATION: {
remoteAuthority: request.headers.host as string,
2019-06-27 22:34:33 +00:00
},
REMOTE_USER_DATA_URI: this.environmentService.webUserDataHome.with({ scheme: Schemas.vscodeRemote }),
PRODUCT_CONFIGURATION: null,
CONNECTION_AUTH_TOKEN: "",
2019-06-27 22:34:33 +00:00
};
Object.keys(options).forEach((key) => {
html = html.replace(`"{{${key}}}"`, `'${JSON.stringify(options[key])}'`);
});
html = html.replace('{{WEBVIEW_ENDPOINT}}', ""); // TODO
2019-06-27 22:34:33 +00:00
2019-06-28 22:49:29 +00:00
return [html, {
"Content-Type": "text/html",
}];
2019-06-27 22:34:33 +00:00
}
try {
const content = await util.promisify(fs.readFile)(
path.join(this.rootPath, requestPath),
);
2019-06-28 22:49:29 +00:00
return [content, {
"Content-Type": getMediaMime(requestPath) || {
".css": "text/css",
".html": "text/html",
".js": "text/javascript",
".json": "application/json",
}[extname(requestPath)] || "text/plain",
}];
2019-06-27 22:34:33 +00:00
} catch (error) {
if (error.code === "ENOENT" || error.code === "EISDIR") {
throw new HttpError("Not found", HttpCode.NotFound);
}
throw error;
}
}
private createProtocol(request: http.IncomingMessage, socket: net.Socket): Protocol {
2019-06-27 22:34:33 +00:00
if (request.headers.upgrade !== "websocket") {
2019-06-28 22:37:23 +00:00
throw new Error("HTTP/1.1 400 Bad Request");
2019-06-27 22:34:33 +00:00
}
const options = {
reconnectionToken: "",
reconnection: false,
skipWebSocketFrames: false,
};
if (request.url) {
const query = url.parse(request.url, true).query;
if (query.reconnectionToken) {
options.reconnectionToken = query.reconnectionToken as string;
}
if (query.reconnection === "true") {
options.reconnection = true;
}
if (query.skipWebSocketFrames === "true") {
options.skipWebSocketFrames = true;
}
}
return new Protocol(
request.headers["sec-websocket-key"] as string,
socket,
options,
);
2019-06-27 22:34:33 +00:00
}
2019-06-28 22:37:23 +00:00
public listen(port: number = 8443): void {
2019-06-27 22:34:33 +00:00
this.server.listen(port, () => {
const address = this.server.address();
const location = typeof address === "string"
? address
: `port ${address.port}`;
console.log(`Listening on ${location}`);
console.log(`Serving ${this.rootPath}`);
});
}
private async connect(message: ConnectionTypeRequest, protocol: Protocol): Promise<void> {
switch (message.desiredConnectionType) {
case ConnectionType.ExtensionHost:
case ConnectionType.Management:
const debugPort = await this.getDebugPort();
const ok = message.desiredConnectionType === ConnectionType.ExtensionHost
? (debugPort ? { debugPort } : {})
: { type: "ok" };
if (!this.connections.has(message.desiredConnectionType)) {
this.connections.set(message.desiredConnectionType, new Map());
}
const connections = this.connections.get(message.desiredConnectionType)!;
const token = protocol.options.reconnectionToken;
if (protocol.options.reconnection && connections.has(token)) {
protocol.sendMessage(ok);
const buffer = protocol.readEntireBuffer();
protocol.dispose();
return connections.get(token)!.reconnect(protocol, buffer);
}
if (protocol.options.reconnection || connections.has(token)) {
throw new Error(protocol.options.reconnection
? "Unrecognized reconnection token"
: "Duplicate reconnection token"
);
}
protocol.sendMessage(ok);
let connection: Connection;
if (message.desiredConnectionType === ConnectionType.Management) {
connection = new ManagementConnection(protocol);
this._onDidClientConnect.fire({
protocol,
onDidClientDisconnect: connection.onClose,
});
} else {
connection = new ExtensionHostConnection(protocol, this.logService);
}
connections.set(protocol.options.reconnectionToken, connection);
connection.onClose(() => {
connections.delete(protocol.options.reconnectionToken);
});
break;
case ConnectionType.Tunnel: return protocol.tunnel();
default: throw new Error("Unrecognized connection type");
}
}
/**
* TODO: implement.
*/
private async getDebugPort(): Promise<number | undefined> {
return undefined;
}
2019-06-27 22:34:33 +00:00
}