rust-analyzer/editors/code/src/ctx.ts

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

487 lines
17 KiB
TypeScript
Raw Normal View History

2019-12-30 13:42:59 +00:00
import * as vscode from "vscode";
import * as lc from "vscode-languageclient/node";
2020-07-02 10:37:04 +00:00
import * as ra from "./lsp_ext";
2020-02-02 21:23:01 +00:00
2023-04-03 01:37:07 +00:00
import { Config, prepareVSCodeConfig } from "./config";
import { createClient } from "./client";
2023-03-09 20:27:24 +00:00
import {
isDocumentInWorkspace,
2023-03-09 20:27:24 +00:00
isRustDocument,
isRustEditor,
LazyOutputChannel,
log,
type RustEditor,
2022-07-17 15:38:56 +00:00
} from "./util";
import type { ServerStatusParams } from "./lsp_ext";
2022-07-17 15:38:56 +00:00
import {
type Dependency,
type DependencyFile,
2022-07-17 15:38:56 +00:00
RustDependenciesProvider,
type DependencyId,
2022-07-17 15:38:56 +00:00
} from "./dependencies_provider";
import { execRevealDependency } from "./commands";
2023-04-03 01:37:07 +00:00
import { PersistentState } from "./persistent_state";
import { bootstrap } from "./bootstrap";
import type { RustAnalyzerExtensionApi } from "./main";
import type { JsonProject } from "./rust_project";
2019-12-30 13:42:59 +00:00
// We only support local folders, not eg. Live Share (`vlsl:` scheme), so don't activate if
// only those are in use. We use "Empty" to represent these scenarios
// (r-a still somewhat works with Live Share, because commands are tunneled to the host)
export type Workspace =
2022-10-28 22:44:37 +00:00
| { kind: "Empty" }
| {
2023-09-05 19:45:52 +00:00
kind: "Workspace Folder";
}
2022-05-17 17:15:06 +00:00
| {
2023-09-05 19:45:52 +00:00
kind: "Detached Files";
files: vscode.TextDocument[];
};
export function fetchWorkspace(): Workspace {
const folders = (vscode.workspace.workspaceFolders || []).filter(
2023-07-11 13:35:10 +00:00
(folder) => folder.uri.scheme === "file",
);
const rustDocuments = vscode.workspace.textDocuments.filter((document) =>
2023-07-11 13:35:10 +00:00
isRustDocument(document),
);
return folders.length === 0
? rustDocuments.length === 0
2023-04-03 01:37:07 +00:00
? { kind: "Empty" }
: {
2023-09-05 19:45:52 +00:00
kind: "Detached Files",
files: rustDocuments,
}
2023-04-03 01:37:07 +00:00
: { kind: "Workspace Folder" };
}
export type CommandFactory = {
2022-10-28 22:44:37 +00:00
enabled: (ctx: CtxInit) => Cmd;
disabled?: (ctx: Ctx) => Cmd;
};
2022-10-28 22:44:37 +00:00
export type CtxInit = Ctx & {
readonly client: lc.LanguageClient;
};
export class Ctx implements RustAnalyzerExtensionApi {
2022-10-17 12:20:14 +00:00
readonly statusBar: vscode.StatusBarItem;
config: Config;
2022-10-28 22:44:37 +00:00
readonly workspace: Workspace;
2022-10-28 22:44:37 +00:00
private _client: lc.LanguageClient | undefined;
2022-10-17 13:05:20 +00:00
private _serverPath: string | undefined;
private traceOutputChannel: vscode.OutputChannel | undefined;
private outputChannel: vscode.OutputChannel | undefined;
private clientSubscriptions: Disposable[];
2022-10-17 13:05:20 +00:00
private state: PersistentState;
private commandFactories: Record<string, CommandFactory>;
private commandDisposables: Disposable[];
private unlinkedFiles: vscode.Uri[];
2023-04-03 00:58:20 +00:00
private _dependencies: RustDependenciesProvider | undefined;
private _treeView: vscode.TreeView<Dependency | DependencyFile | DependencyId> | undefined;
private lastStatus: ServerStatusParams | { health: "stopped" } = { health: "stopped" };
2022-10-17 12:20:14 +00:00
2022-10-28 22:44:37 +00:00
get client() {
return this._client;
}
2022-10-17 12:20:14 +00:00
2023-04-03 00:58:20 +00:00
get treeView() {
return this._treeView;
}
get dependencies() {
return this._dependencies;
}
constructor(
readonly extCtx: vscode.ExtensionContext,
2022-10-28 22:44:37 +00:00
commandFactories: Record<string, CommandFactory>,
2023-07-11 13:35:10 +00:00
workspace: Workspace,
) {
extCtx.subscriptions.push(this);
this.statusBar = vscode.window.createStatusBarItem(vscode.StatusBarAlignment.Left);
2022-10-17 12:20:14 +00:00
this.workspace = workspace;
this.clientSubscriptions = [];
this.commandDisposables = [];
this.commandFactories = commandFactories;
this.unlinkedFiles = [];
this.state = new PersistentState(extCtx.globalState);
this.config = new Config(extCtx);
2023-04-03 01:37:07 +00:00
this.updateCommands("disable");
2022-10-28 22:44:37 +00:00
this.setServerStatus({
health: "stopped",
});
2022-10-17 12:20:14 +00:00
}
dispose() {
this.config.dispose();
this.statusBar.dispose();
void this.disposeClient();
this.commandDisposables.forEach((disposable) => disposable.dispose());
}
async onWorkspaceFolderChanges() {
const workspace = fetchWorkspace();
if (workspace.kind === "Detached Files" && this.workspace.kind === "Detached Files") {
if (workspace.files !== this.workspace.files) {
if (this.client?.isRunning()) {
// Ideally we wouldn't need to tear down the server here, but currently detached files
// are only specified at server start
await this.stopAndDispose();
await this.start();
}
return;
}
}
if (workspace.kind === "Workspace Folder" && this.workspace.kind === "Workspace Folder") {
return;
}
if (workspace.kind === "Empty") {
await this.stopAndDispose();
return;
}
if (this.client?.isRunning()) {
await this.restart();
}
}
2022-10-28 22:44:37 +00:00
private async getOrCreateClient() {
if (this.workspace.kind === "Empty") {
return;
}
2022-10-17 12:20:14 +00:00
if (!this.traceOutputChannel) {
2023-01-31 14:43:47 +00:00
this.traceOutputChannel = new LazyOutputChannel("Rust Analyzer Language Server Trace");
2022-10-17 14:01:39 +00:00
this.pushExtCleanup(this.traceOutputChannel);
2022-10-17 12:20:14 +00:00
}
if (!this.outputChannel) {
this.outputChannel = vscode.window.createOutputChannel("Rust Analyzer Language Server");
2022-10-17 14:01:39 +00:00
this.pushExtCleanup(this.outputChannel);
2022-10-17 12:20:14 +00:00
}
2022-10-28 22:44:37 +00:00
if (!this._client) {
2022-10-17 13:05:20 +00:00
this._serverPath = await bootstrap(this.extCtx, this.config, this.state).catch(
(err) => {
let message = "bootstrap error. ";
2022-10-17 13:05:20 +00:00
message +=
'See the logs in "OUTPUT > Rust Analyzer Client" (should open automatically). ';
message +=
'To enable verbose logs use { "rust-analyzer.trace.extension": true }';
2022-10-17 13:05:20 +00:00
log.error("Bootstrap error", err);
throw new Error(message);
2023-07-11 13:35:10 +00:00
},
2022-10-17 13:05:20 +00:00
);
const newEnv = Object.assign({}, process.env, this.config.serverExtraEnv);
2022-10-17 12:20:14 +00:00
const run: lc.Executable = {
2022-10-17 13:05:20 +00:00
command: this._serverPath,
2023-04-03 01:37:07 +00:00
options: { env: newEnv },
2022-10-17 12:20:14 +00:00
};
const serverOptions = {
2022-10-17 12:20:14 +00:00
run,
debug: run,
};
2022-10-17 12:20:14 +00:00
let rawInitializationOptions = vscode.workspace.getConfiguration("rust-analyzer");
if (this.config.discoverProjectRunner) {
const command = `${this.config.discoverProjectRunner}.discoverWorkspaceCommand`;
log.info(`running command: ${command}`);
const uris = vscode.workspace.textDocuments
.filter(isRustDocument)
.map((document) => document.uri);
const projects: JsonProject[] = await vscode.commands.executeCommand(command, uris);
this.setWorkspaces(projects);
}
2022-10-17 12:20:14 +00:00
if (this.workspace.kind === "Detached Files") {
rawInitializationOptions = {
detachedFiles: this.workspace.files.map((file) => file.uri.fsPath),
...rawInitializationOptions,
};
}
const initializationOptions = prepareVSCodeConfig(
rawInitializationOptions,
(key, obj) => {
// we only want to set discovered workspaces on the right key
// and if a workspace has been discovered.
if (key === "linkedProjects" && this.config.discoveredWorkspaces.length > 0) {
obj["linkedProjects"] = this.config.discoveredWorkspaces;
}
2023-07-11 13:35:10 +00:00
},
);
2022-10-17 12:20:14 +00:00
2022-10-28 22:44:37 +00:00
this._client = await createClient(
2022-10-17 12:20:14 +00:00
this.traceOutputChannel,
this.outputChannel,
initializationOptions,
serverOptions,
this.config,
2023-07-11 13:35:10 +00:00
this.unlinkedFiles,
2022-10-17 12:20:14 +00:00
);
this.pushClientCleanup(
2022-10-28 22:44:37 +00:00
this._client.onNotification(ra.serverStatus, (params) =>
2023-07-11 13:35:10 +00:00
this.setServerStatus(params),
),
);
this.pushClientCleanup(
this._client.onNotification(ra.openServerLogs, () => {
this.outputChannel!.show();
2023-07-11 13:35:10 +00:00
}),
);
2022-10-17 12:20:14 +00:00
}
2022-10-28 22:44:37 +00:00
return this._client;
2022-10-17 12:20:14 +00:00
}
async start() {
log.info("Starting language client");
2022-10-28 22:44:37 +00:00
const client = await this.getOrCreateClient();
if (!client) {
return;
}
2022-10-17 12:20:14 +00:00
await client.start();
this.updateCommands();
if (this.config.showDependenciesExplorer) {
this.prepareTreeDependenciesView(client);
}
2023-04-03 00:58:20 +00:00
}
private prepareTreeDependenciesView(client: lc.LanguageClient) {
const ctxInit: CtxInit = {
...this,
2023-04-03 01:37:07 +00:00
client: client,
2023-04-03 00:58:20 +00:00
};
this._dependencies = new RustDependenciesProvider(ctxInit);
2023-04-03 00:58:20 +00:00
this._treeView = vscode.window.createTreeView("rustDependencies", {
treeDataProvider: this._dependencies,
showCollapseAll: true,
});
this.pushExtCleanup(this._treeView);
2023-04-08 17:18:29 +00:00
vscode.window.onDidChangeActiveTextEditor(async (e) => {
// we should skip documents that belong to the current workspace
2023-04-08 17:18:29 +00:00
if (this.shouldRevealDependency(e)) {
try {
await execRevealDependency(e);
} catch (reason) {
await vscode.window.showErrorMessage(`Dependency error: ${reason}`);
}
}
});
this.treeView?.onDidChangeVisibility(async (e) => {
if (e.visible) {
const activeEditor = vscode.window.activeTextEditor;
if (this.shouldRevealDependency(activeEditor)) {
try {
await execRevealDependency(activeEditor);
} catch (reason) {
await vscode.window.showErrorMessage(`Dependency error: ${reason}`);
}
}
2023-04-03 00:58:20 +00:00
}
});
2022-10-17 12:20:14 +00:00
}
2023-04-08 17:18:29 +00:00
private shouldRevealDependency(e: vscode.TextEditor | undefined): e is RustEditor {
return (
e !== undefined &&
isRustEditor(e) &&
!isDocumentInWorkspace(e.document) &&
(this.treeView?.visible || false)
);
}
async restart() {
// FIXME: We should re-use the client, that is ctx.deactivate() if none of the configs have changed
await this.stopAndDispose();
await this.start();
}
async stop() {
2022-10-28 22:44:37 +00:00
if (!this._client) {
return;
}
log.info("Stopping language client");
2022-10-28 22:44:37 +00:00
this.updateCommands("disable");
await this._client.stop();
2022-10-17 12:20:14 +00:00
}
async stopAndDispose() {
2022-10-28 22:44:37 +00:00
if (!this._client) {
return;
}
log.info("Disposing language client");
2022-10-28 22:44:37 +00:00
this.updateCommands("disable");
await this.disposeClient();
}
private async disposeClient() {
this.clientSubscriptions?.forEach((disposable) => disposable.dispose());
this.clientSubscriptions = [];
2022-10-28 22:44:37 +00:00
await this._client?.dispose();
2022-10-17 13:05:20 +00:00
this._serverPath = undefined;
2022-10-28 22:44:37 +00:00
this._client = undefined;
2020-02-17 13:11:01 +00:00
}
2019-12-31 17:14:00 +00:00
2020-03-07 12:07:44 +00:00
get activeRustEditor(): RustEditor | undefined {
2019-12-30 14:20:13 +00:00
const editor = vscode.window.activeTextEditor;
2020-03-07 12:07:44 +00:00
return editor && isRustEditor(editor) ? editor : undefined;
2019-12-30 14:20:13 +00:00
}
get extensionPath(): string {
return this.extCtx.extensionPath;
}
2020-02-02 21:23:01 +00:00
get subscriptions(): Disposable[] {
2019-12-30 18:05:41 +00:00
return this.extCtx.subscriptions;
}
2022-10-17 13:05:20 +00:00
get serverPath(): string | undefined {
return this._serverPath;
}
setWorkspaces(workspaces: JsonProject[]) {
this.config.discoveredWorkspaces = workspaces;
}
async notifyRustAnalyzer(): Promise<void> {
// this is a workaround to avoid needing writing the `rust-project.json` into
// a workspace-level VS Code-specific settings folder. We'd like to keep the
// `rust-project.json` entirely in-memory.
await this.client?.sendNotification(lc.DidChangeConfigurationNotification.type, {
settings: "",
});
}
2022-10-28 22:44:37 +00:00
private updateCommands(forceDisable?: "disable") {
this.commandDisposables.forEach((disposable) => disposable.dispose());
this.commandDisposables = [];
2022-10-28 22:44:37 +00:00
const clientRunning = (!forceDisable && this._client?.isRunning()) ?? false;
const isClientRunning = function (_ctx: Ctx): _ctx is CtxInit {
return clientRunning;
};
2022-10-28 22:44:37 +00:00
for (const [name, factory] of Object.entries(this.commandFactories)) {
const fullName = `rust-analyzer.${name}`;
2022-10-28 22:44:37 +00:00
let callback;
if (isClientRunning(this)) {
// we asserted that `client` is defined
callback = factory.enabled(this);
} else if (factory.disabled) {
callback = factory.disabled(this);
} else {
callback = () =>
vscode.window.showErrorMessage(
2023-07-11 13:35:10 +00:00
`command ${fullName} failed: rust-analyzer server is not running`,
2022-10-28 22:44:37 +00:00
);
}
this.commandDisposables.push(vscode.commands.registerCommand(fullName, callback));
}
}
setServerStatus(status: ServerStatusParams | { health: "stopped" }) {
this.lastStatus = status;
this.updateStatusBarItem();
}
refreshServerStatus() {
this.updateStatusBarItem();
}
private updateStatusBarItem() {
2021-04-06 11:16:35 +00:00
let icon = "";
const status = this.lastStatus;
const statusBar = this.statusBar;
2023-03-20 20:24:53 +00:00
statusBar.show();
statusBar.tooltip = new vscode.MarkdownString("", true);
statusBar.tooltip.isTrusted = true;
2021-04-06 11:16:35 +00:00
switch (status.health) {
case "ok":
statusBar.tooltip.appendText(status.message ?? "Ready");
statusBar.color = undefined;
statusBar.backgroundColor = undefined;
if (this.config.statusBarClickAction === "stopServer") {
statusBar.command = "rust-analyzer.stopServer";
} else {
statusBar.command = "rust-analyzer.openLogs";
}
2023-04-03 00:58:20 +00:00
this.dependencies?.refresh();
2020-07-02 10:37:04 +00:00
break;
2021-04-06 11:16:35 +00:00
case "warning":
if (status.message) {
statusBar.tooltip.appendText(status.message);
}
statusBar.color = new vscode.ThemeColor("statusBarItem.warningForeground");
statusBar.backgroundColor = new vscode.ThemeColor(
2023-07-11 13:35:10 +00:00
"statusBarItem.warningBackground",
);
statusBar.command = "rust-analyzer.openLogs";
2021-04-06 11:16:35 +00:00
icon = "$(warning) ";
break;
case "error":
if (status.message) {
statusBar.tooltip.appendText(status.message);
}
statusBar.color = new vscode.ThemeColor("statusBarItem.errorForeground");
statusBar.backgroundColor = new vscode.ThemeColor("statusBarItem.errorBackground");
statusBar.command = "rust-analyzer.openLogs";
2021-04-06 11:16:35 +00:00
icon = "$(error) ";
2020-07-02 10:37:04 +00:00
break;
case "stopped":
statusBar.tooltip.appendText("Server is stopped");
statusBar.tooltip.appendMarkdown(
2023-07-11 13:35:10 +00:00
"\n\n[Start server](command:rust-analyzer.startServer)",
);
statusBar.color = new vscode.ThemeColor("statusBarItem.warningForeground");
statusBar.backgroundColor = new vscode.ThemeColor(
"statusBarItem.warningBackground",
);
statusBar.command = "rust-analyzer.startServer";
statusBar.text = "$(stop-circle) rust-analyzer";
return;
2020-07-02 10:37:04 +00:00
}
if (statusBar.tooltip.value) {
statusBar.tooltip.appendMarkdown("\n\n---\n\n");
}
statusBar.tooltip.appendMarkdown("\n\n[Open Logs](command:rust-analyzer.openLogs)");
statusBar.tooltip.appendMarkdown(
2023-09-05 19:45:52 +00:00
`\n\n[${
this.config.checkOnSave ? "Disable" : "Enable"
} Check on Save](command:rust-analyzer.toggleCheckOnSave)`,
);
statusBar.tooltip.appendMarkdown(
2023-07-11 13:35:10 +00:00
"\n\n[Reload Workspace](command:rust-analyzer.reloadWorkspace)",
);
statusBar.tooltip.appendMarkdown(
2023-07-11 13:35:10 +00:00
"\n\n[Rebuild Proc Macros](command:rust-analyzer.rebuildProcMacros)",
);
statusBar.tooltip.appendMarkdown(
2023-07-11 13:35:10 +00:00
"\n\n[Restart server](command:rust-analyzer.restartServer)",
);
statusBar.tooltip.appendMarkdown("\n\n[Stop server](command:rust-analyzer.stopServer)");
2021-04-06 11:16:35 +00:00
if (!status.quiescent) icon = "$(sync~spin) ";
statusBar.text = `${icon}rust-analyzer`;
2020-07-02 10:37:04 +00:00
}
2022-10-17 12:20:14 +00:00
pushExtCleanup(d: Disposable) {
2019-12-30 14:11:30 +00:00
this.extCtx.subscriptions.push(d);
2019-12-30 13:42:59 +00:00
}
private pushClientCleanup(d: Disposable) {
this.clientSubscriptions.push(d);
}
2019-12-30 13:42:59 +00:00
}
2019-12-30 13:53:43 +00:00
2020-02-02 21:23:01 +00:00
export interface Disposable {
dispose(): void;
}
2022-02-26 00:37:55 +00:00
2023-04-27 01:02:38 +00:00
export type Cmd = (...args: any[]) => unknown;