[clang][modules] Don't prevent translation of FW_Private includes when explicitly...
[llvm-project.git] / mlir / utils / vscode / src / mlirContext.ts
blobc7b6de6322d27f23dd1a5f125ea2990ff2c6c5ed
1 import * as fs from 'fs';
2 import * as path from 'path';
3 import * as vscode from 'vscode';
4 import * as vscodelc from 'vscode-languageclient/node';
6 import * as config from './config';
7 import * as configWatcher from './configWatcher';
9 /**
10  *  This class represents the context of a specific workspace folder.
11  */
12 class WorkspaceFolderContext implements vscode.Disposable {
13   dispose() {
14     this.clients.forEach(async client => await client.stop());
15     this.clients.clear();
16   }
18   clients: Map<string, vscodelc.LanguageClient> = new Map();
21 /**
22  *  This class manages all of the MLIR extension state,
23  *  including the language client.
24  */
25 export class MLIRContext implements vscode.Disposable {
26   subscriptions: vscode.Disposable[] = [];
27   workspaceFolders: Map<string, WorkspaceFolderContext> = new Map();
28   outputChannel: vscode.OutputChannel;
30   /**
31    *  Activate the MLIR context, and start the language clients.
32    */
33   async activate(outputChannel: vscode.OutputChannel) {
34     this.outputChannel = outputChannel;
36     // This lambda is used to lazily start language clients for the given
37     // document. It removes the need to pro-actively start language clients for
38     // every folder within the workspace and every language type we provide.
39     const startClientOnOpenDocument = async (document: vscode.TextDocument) => {
40       await this.getOrActivateLanguageClient(document.uri, document.languageId);
41     };
42     // Process any existing documents.
43     for (const textDoc of vscode.workspace.textDocuments) {
44       await startClientOnOpenDocument(textDoc);
45     }
47     // Watch any new documents to spawn servers when necessary.
48     this.subscriptions.push(
49         vscode.workspace.onDidOpenTextDocument(startClientOnOpenDocument));
50     this.subscriptions.push(
51         vscode.workspace.onDidChangeWorkspaceFolders((event) => {
52           for (const folder of event.removed) {
53             const client = this.workspaceFolders.get(folder.uri.toString());
54             if (client) {
55               client.dispose();
56               this.workspaceFolders.delete(folder.uri.toString());
57             }
58           }
59         }));
60   }
62   /**
63    * Open or return a language server for the given uri and language.
64    */
65   async getOrActivateLanguageClient(uri: vscode.Uri, languageId: string):
66       Promise<vscodelc.LanguageClient> {
67     let serverSettingName: string;
68     if (languageId === 'mlir') {
69       serverSettingName = 'server_path';
70     } else if (languageId === 'pdll') {
71       serverSettingName = 'pdll_server_path';
72     } else if (languageId === 'tablegen') {
73       serverSettingName = 'tablegen_server_path';
74     } else {
75       return null;
76     }
78     // Check the scheme of the uri.
79     let validSchemes = [ 'file', 'mlir.bytecode-mlir' ];
80     if (!validSchemes.includes(uri.scheme)) {
81       return null;
82     }
84     // Resolve the workspace folder if this document is in one. We use the
85     // workspace folder when determining if a server needs to be started.
86     let workspaceFolder = vscode.workspace.getWorkspaceFolder(uri);
87     let workspaceFolderStr =
88         workspaceFolder ? workspaceFolder.uri.toString() : "";
90     // Get or create a client context for this folder.
91     let folderContext = this.workspaceFolders.get(workspaceFolderStr);
92     if (!folderContext) {
93       folderContext = new WorkspaceFolderContext();
94       this.workspaceFolders.set(workspaceFolderStr, folderContext);
95     }
96     // Start the client for this language if necessary.
97     let client = folderContext.clients.get(languageId);
98     if (!client) {
99       client = await this.activateWorkspaceFolder(
100           workspaceFolder, serverSettingName, languageId, this.outputChannel);
101       folderContext.clients.set(languageId, client);
102     }
103     return client;
104   }
106   /**
107    *  Prepare a compilation database option for a server.
108    */
109   async prepareCompilationDatabaseServerOptions(
110       languageName: string, workspaceFolder: vscode.WorkspaceFolder,
111       configsToWatch: string[], pathsToWatch: string[],
112       additionalServerArgs: string[]) {
113     // Process the compilation databases attached for the workspace folder.
114     let databases = config.get<string[]>(
115         `${languageName}_compilation_databases`, workspaceFolder, []);
117     // If no databases were explicitly specified, default to a database in the
118     // 'build' directory within the current workspace.
119     if (databases.length === 0) {
120       if (workspaceFolder) {
121         databases.push(workspaceFolder.uri.fsPath +
122                        `/build/${languageName}_compile_commands.yml`);
123       }
125       // Otherwise, try to resolve each of the paths.
126     } else {
127       for await (let database of databases) {
128         database = await this.resolvePath(database, '', workspaceFolder);
129       }
130     }
132     configsToWatch.push(`${languageName}_compilation_databases`);
133     pathsToWatch.push(...databases);
135     // Setup the compilation databases as additional arguments to pass to the
136     // server.
137     databases.filter(database => database !== '');
138     additionalServerArgs.push(...databases.map(
139         (database) => `--${languageName}-compilation-database=${database}`));
140   }
142   /**
143    *  Prepare the server options for a PDLL server, e.g. populating any
144    *  accessible compilation databases.
145    */
146   async preparePDLLServerOptions(workspaceFolder: vscode.WorkspaceFolder,
147                                  configsToWatch: string[],
148                                  pathsToWatch: string[],
149                                  additionalServerArgs: string[]) {
150     await this.prepareCompilationDatabaseServerOptions(
151         'pdll', workspaceFolder, configsToWatch, pathsToWatch,
152         additionalServerArgs);
153   }
155   /**
156    *  Prepare the server options for a TableGen server, e.g. populating any
157    *  accessible compilation databases.
158    */
159   async prepareTableGenServerOptions(workspaceFolder: vscode.WorkspaceFolder,
160                                      configsToWatch: string[],
161                                      pathsToWatch: string[],
162                                      additionalServerArgs: string[]) {
163     await this.prepareCompilationDatabaseServerOptions(
164         'tablegen', workspaceFolder, configsToWatch, pathsToWatch,
165         additionalServerArgs);
166   }
168   /**
169    *  Activate the language client for the given language in the given workspace
170    *  folder.
171    */
172   async activateWorkspaceFolder(workspaceFolder: vscode.WorkspaceFolder,
173                                 serverSettingName: string, languageName: string,
174                                 outputChannel: vscode.OutputChannel):
175       Promise<vscodelc.LanguageClient> {
176     let configsToWatch: string[] = [];
177     let filepathsToWatch: string[] = [];
178     let additionalServerArgs: string[] = [];
180     // Initialize additional configurations for this server.
181     if (languageName === 'pdll') {
182       await this.preparePDLLServerOptions(workspaceFolder, configsToWatch,
183                                           filepathsToWatch,
184                                           additionalServerArgs);
185     } else if (languageName == 'tablegen') {
186       await this.prepareTableGenServerOptions(workspaceFolder, configsToWatch,
187                                               filepathsToWatch,
188                                               additionalServerArgs);
189     }
191     // Try to activate the language client.
192     const [server, serverPath] = await this.startLanguageClient(
193         workspaceFolder, outputChannel, serverSettingName, languageName,
194         additionalServerArgs);
195     configsToWatch.push(serverSettingName);
196     filepathsToWatch.push(serverPath);
198     // Watch for configuration changes on this folder.
199     await configWatcher.activate(this, workspaceFolder, configsToWatch,
200                                  filepathsToWatch);
201     return server;
202   }
204   /**
205    *  Start a new language client for the given language. Returns an array
206    *  containing the opened server, or null if the server could not be started,
207    *  and the resolved server path.
208    */
209   async startLanguageClient(workspaceFolder: vscode.WorkspaceFolder,
210                             outputChannel: vscode.OutputChannel,
211                             serverSettingName: string, languageName: string,
212                             additionalServerArgs: string[]):
213       Promise<[ vscodelc.LanguageClient, string ]> {
214     const clientTitle = languageName.toUpperCase() + ' Language Client';
216     // Get the path of the lsp-server that is used to provide language
217     // functionality.
218     var serverPath =
219         await this.resolveServerPath(serverSettingName, workspaceFolder);
221     // If the server path is empty, bail. We don't emit errors if the user
222     // hasn't explicitly configured the server.
223     if (serverPath === '') {
224       return [ null, serverPath ];
225     }
227     // Check that the file actually exists.
228     if (!fs.existsSync(serverPath)) {
229       vscode.window
230           .showErrorMessage(
231               `${clientTitle}: Unable to resolve path for '${
232                   serverSettingName}', please ensure the path is correct`,
233               "Open Setting")
234           .then((value) => {
235             if (value === "Open Setting") {
236               vscode.commands.executeCommand(
237                   'workbench.action.openWorkspaceSettings',
238                   {openToSide : false, query : `mlir.${serverSettingName}`});
239             }
240           });
241       return [ null, serverPath ];
242     }
244     // Configure the server options.
245     const serverOptions: vscodelc.ServerOptions = {
246       command : serverPath,
247       args : additionalServerArgs
248     };
250     // Configure file patterns relative to the workspace folder.
251     let filePattern: vscode.GlobPattern = '**/*.' + languageName;
252     let selectorPattern: string = null;
253     if (workspaceFolder) {
254       filePattern = new vscode.RelativePattern(workspaceFolder, filePattern);
255       selectorPattern = `${workspaceFolder.uri.fsPath}/**/*`;
256     }
258     // Configure the middleware of the client. This is sort of abused to allow
259     // for defining a "fallback" language server that operates on non-workspace
260     // folders. Workspace folder language servers can properly filter out
261     // documents not within the folder, but we can't effectively filter for
262     // documents outside of the workspace. To support this, and avoid having two
263     // servers targeting the same set of files, we use middleware to inject the
264     // dynamic logic for checking if a document is in the workspace.
265     let middleware = {};
266     if (!workspaceFolder) {
267       middleware = {
268         didOpen : (document, next) : Promise<void> => {
269           if (!vscode.workspace.getWorkspaceFolder(document.uri)) {
270             return next(document);
271           }
272           return Promise.resolve();
273         }
274       };
275     }
277     // Configure the client options.
278     const clientOptions: vscodelc.LanguageClientOptions = {
279       documentSelector : [
280         {language : languageName, pattern : selectorPattern},
281       ],
282       synchronize : {
283         // Notify the server about file changes to language files contained in
284         // the workspace.
285         fileEvents : vscode.workspace.createFileSystemWatcher(filePattern)
286       },
287       outputChannel : outputChannel,
288       workspaceFolder : workspaceFolder,
289       middleware : middleware,
291       // Don't switch to output window when the server returns output.
292       revealOutputChannelOn : vscodelc.RevealOutputChannelOn.Never,
293     };
295     // Create the language client and start the client.
296     let languageClient = new vscodelc.LanguageClient(
297         languageName + '-lsp', clientTitle, serverOptions, clientOptions);
298     languageClient.start();
299     return [ languageClient, serverPath ];
300   }
302   /**
303    * Given a server setting, return the default server path.
304    */
305   static getDefaultServerFilename(serverSettingName: string): string {
306     if (serverSettingName === 'pdll_server_path') {
307       return 'mlir-pdll-lsp-server';
308     }
309     if (serverSettingName === 'server_path') {
310       return 'mlir-lsp-server';
311     }
312     if (serverSettingName === 'tablegen_server_path') {
313       return 'tblgen-lsp-server';
314     }
315     return '';
316   }
318   /**
319    * Try to resolve the given path, or the default path, with an optional
320    * workspace folder. If a path could not be resolved, just returns the
321    * input filePath.
322    */
323   async resolvePath(filePath: string, defaultPath: string,
324                     workspaceFolder: vscode.WorkspaceFolder): Promise<string> {
325     const configPath = filePath;
327     // If the path is already fully resolved, there is nothing to do.
328     if (path.isAbsolute(filePath)) {
329       return filePath;
330     }
332     // If a path hasn't been set, try to use the default path.
333     if (filePath === '') {
334       if (defaultPath === '') {
335         return filePath;
336       }
337       filePath = defaultPath;
339       // Fallthrough to try resolving the default path.
340     }
342     // Try to resolve the path relative to the workspace.
343     let filePattern: vscode.GlobPattern = '**/' + filePath;
344     if (workspaceFolder) {
345       filePattern = new vscode.RelativePattern(workspaceFolder, filePattern);
346     }
347     let foundUris = await vscode.workspace.findFiles(filePattern, null, 1);
348     if (foundUris.length === 0) {
349       // If we couldn't resolve it, just return the original path anyways. The
350       // file might not exist yet.
351       return configPath;
352     }
353     // Otherwise, return the resolved path.
354     return foundUris[0].fsPath;
355   }
357   /**
358    * Try to resolve the path for the given server setting, with an optional
359    * workspace folder.
360    */
361   async resolveServerPath(serverSettingName: string,
362                           workspaceFolder: vscode.WorkspaceFolder):
363       Promise<string> {
364     const serverPath = config.get<string>(serverSettingName, workspaceFolder);
365     const defaultPath = MLIRContext.getDefaultServerFilename(serverSettingName);
366     return this.resolvePath(serverPath, defaultPath, workspaceFolder);
367   }
369   /**
370    * Return the language client for the given language and uri, or null if no
371    * client is active.
372    */
373   getLanguageClient(uri: vscode.Uri,
374                     languageName: string): vscodelc.LanguageClient {
375     let workspaceFolder = vscode.workspace.getWorkspaceFolder(uri);
376     let workspaceFolderStr =
377         workspaceFolder ? workspaceFolder.uri.toString() : "";
378     let folderContext = this.workspaceFolders.get(workspaceFolderStr);
379     if (!folderContext) {
380       return null;
381     }
382     return folderContext.clients.get(languageName);
383   }
385   dispose() {
386     this.subscriptions.forEach((d) => { d.dispose(); });
387     this.subscriptions = [];
388     this.workspaceFolders.forEach((d) => { d.dispose(); });
389     this.workspaceFolders.clear();
390   }