@codingame/monaco-vscode-api ·
NPM module that implements the VSCode api and redirects calls to Monaco editor.
The VSCode api is composed of:
- A lot of classes and tools, which are exported the same way as in VSCode.
- Some features that are supported by Monaco (Language feature registrations...) which are just forwarded to it (with some transformations)
- Some features that are not supported by Monaco, and in such case:
- If it's an important feature: it requires to use the corresponding service override.
- If it's some advanced features that don't make a lot of sense on Monaco (scm, tests...), it just throws an error when you try to use it.
Installation
npm install vscode@npm:@codingame/monaco-vscode-api
npm install -D @types/vscode
⚠️ And add in your package.json ⚠️:
{
"scripts": {
"postinstall": "monaco-treemending",
}
}
Why?
Monaco-editor is a library that is constructed using code from vscode and goes through an intense treeshaking process.
However, due to the inclusion of additional code from VSCode in this library that utilizes internal modules bundled in monaco, this treeshaking is a problem here.
To tree-mend (to untreeshake it) monaco-editor, this library provides a script that will apply a patch on the local installation of monaco-editor, restoring all the code that was treeshaken during the monaco-editor build process
Troubleshooting
If you use Vite
This library uses a lot the new URL('asset.extension', import.meta.url)
syntax which is supported by vite
While it works great in build
mode (because rollup is used), there is some issues in `watch`` mode:
- import.meta.url is not replaced while creating bundles, it is an issue when the syntax is used inside a dependency
- vite is still trying to inject/transform javascript assets files, breaking the code by injecting ESM imports in commonjs files
There are workarounds for both:
- We can help vite by replacing
import.meta.url
by the original module path (you need the --experimental-import-meta-resolve note option):
{
...
optimizeDeps: {
esbuildOptions: {
plugins: [{
name: 'import.meta.url',
setup ({ onLoad }) {
onLoad({ filter: /.*\.js/, namespace: 'file' }, async args => {
const code = fs.readFileSync(args.path, 'utf8')
const assetImportMetaUrlRE = /\bnew\s+URL\s*\(\s*('[^']+'|"[^"]+"|`[^`]+`)\s*,\s*import\.meta\.url\s*(?:,\s*)?\)/g
let i = 0
let newCode = ''
for (let match = assetImportMetaUrlRE.exec(code); match != null; match = assetImportMetaUrlRE.exec(code)) {
newCode += code.slice(i, match.index)
const path = match[1].slice(1, -1)
const resolved = await import.meta.resolve!(path, url.pathToFileURL(args.path))
newCode += `new URL(${JSON.stringify(url.fileURLToPath(resolved))}, import.meta.url)`
i = assetImportMetaUrlRE.lastIndex
}
newCode += code.slice(i)
return { contents: newCode }
})
}
}]
}
}
}
If using Angular and getting Not allowed to load local resource:
errors
The short version: set up and use a custom webpack config file and add this under module
:
parser: {
javascript: {
url: true,
},
},
See this issue or this StackOverflow answer for more details, and this discussion for more context.
Usage
Monaco standalone services
Also, monaco-editor use standalone
versions or the vscode services, which are much simpler.
You may want to provide your custom implementations of them. To do so, you can use the initialize
method from vscode/services
.
Also, monaco-editor doesn't provide good type for them, so this library does it.
Example:
import { StandaloneServices, INotificationService, initialize } from 'vscode/services'
class MyCustomNotificationService implements INotificationService { ... }
await initialize({
get [INotificationService.toString()] () {
return new MyCustomNotificationService(...)
}
})
Additionally, 25 packages that include the vscode version of some services (with some glue to make it work with monaco) are published:
- Extensions (included by default):
@codingame/monaco-vscode-extensions-service-override
- Support for VSCode extensions. A worker configuration can be past to it:
- Then, everything runs in one worker, where extensions run in an iframe, with all the implications (can be created by the bundler directly). The worker script is expected to be hosted on a separate domain.
- Files (included by default):
@codingame/monaco-vscode-file-service-override
- It adds the memory filesystem for
file://
files, but also adds the support for lazy loaded extension files. It adds separate memory user files (e.g. config, keybindings), cache files and log files.
- QuickAccess (included by default):
@codingame/monaco-vscode-quickaccess-service-override
- Enables the quickaccess menu in the editor (press F1 or ctrl+shift+p)
- Notifications:
@codingame/monaco-vscode-notifications-service-override
- This services enables vscode notifications you usually find in the bottom right corner.
- Dialogs:
@codingame/monaco-vscode-dialogs-service-override
- Enable vscode modal dialogs. It allows users to select an action to do. Those actions are exposed to the vscode API. Additionally, this service can be used by the language client to delegate questions to the user.
- Model:
@codingame/monaco-vscode-model-service-override
- This service creates and takes care of model references. For example:
- Create model if content is unknown
- Count references
- Destroy models when they are no longer used
- Editor:
@codingame/monaco-vscode-editor-service-override
- Enable editor support. This is usually needed when working with the language server protocol. Without enabling the editor service, it will only be able to resolve the currently open model (only internal file links will work).
- Views:
@codingame/monaco-vscode-views-service-override
- Enable full views support. Is exclusive with the
editor
service. Do not use both services at the same time.
- Configuration:
@codingame/monaco-vscode-configuration-service-override
- Allows to change the configuration of not only the editors, but every part of vscode. The language client for instance uses it to send the requested configuration to the server. The default configuration service already allows to change the configuration. This service overrides makes it rely on a user configuration file (with json schema, overridable by language including all vscode features).
- Keybindings:
@codingame/monaco-vscode-keybindings-service-override
- Enables platform specific keybindings and make it rely on a user definded keybindings configuration (if available).
- Languages:
@codingame/monaco-vscode-languages-service-override
- Enable language support. It's like the standalone service with 2 differences:
- It handle the language extension point (getting languages from vscode extensions)
- It triggers the
onLanguage:${language}
event (to load vscode extension listening to those events)
- Textmate:
@codingame/monaco-vscode-textmate-service-override
- Allows to use textmate grammars. Depends on themes service. vscode extensions use textmate grammars exclusively for highlighting. Once this is enabled monarch grammars can no longer be loaded by monaco-editor.
- Themes:
@codingame/monaco-vscode-theme-service-override
- Allows to use VSCode themes.
- Snippets:
@codingame/monaco-vscode-snippets-service-override
- Add snippet extension point (register vscode extension snippets)
- Audio cue:
@codingame/monaco-vscode-audio-cue-service-override
- If enabled the editor may provides audible hints
- Debug:
@codingame/monaco-vscode-debug-service-override
- Activate debugging support
- Preferences:
@codingame/monaco-vscode-preferences-service-override
- Allow to read and write preferences
- Output:
@codingame/monaco-vscode-output-service-override
- Output panel support. Hint: It only makes sense to enable it when Views service is used.
- Terminal:
@codingame/monaco-vscode-terminal-service-override
- Terminal panel support. Hint: It only makes sense to enable it when Views service is used.
- Search:
@codingame/monaco-vscode-search-service-override
- search panel support. Hint: It only makes sense to enable it when Views service is used.
- Markers:
@codingame/monaco-vscode-markers-service-override
- It adds the problems panel tab. Hint: It only makes sense to enable it when Views service is used.
- Language detection worker:
@codingame/monaco-vscode-language-detection-worker-service-override
- When opening an untitled model or a file without extension or if vscode is unable to guess the language simply by the file extension or by reading the first line. Then it will use tensorflow in a worker to try to guess the most probable language (here we are only able to rely on the open source model).
- Storage:
@codingame/monaco-vscode-storage-service-override
- Define your own storage or use the default BrowserStorageService. The storage service is used in many places either as a cache or as a user preference store. For instance:
- Current loaded theme is stored in there to be loaded faster on start.
- Every panel/view positions are stored in there.
- LifeCycle:
@codingame/monaco-vscode-lifecycle-service-override
- Allow other services to veto a page reload (for instance when not all open files are saved)
- Remote agent:
@codingame/monaco-vscode-remote-agent-service-override
- Connect to a remote vscode agent and have access to:
- The remote filesystem
- The remote file search
- Running terminals
- Running vscode extensions (not web-compatible)
- and probably more?
This library exports a
vscode-ext-host-server
bin to start the remote agent
- Accessibility:
@codingame/monaco-vscode-accessibility-service-override
- Register accessibility helpers
- Workspace trust:
@codingame/monaco-vscode-workspace-trust-service-override
- Ask user it they trust the current workspace, disable some features if not
Usage:
import * as vscode from 'vscode'
import { initialize } from 'vscode/services'
import getEditorServiceOverride from '@codingame/monaco-vscode-editor-service-override'
import getConfigurationServiceOverride, { updateUserConfiguration, configurationRegistry } from '@codingame/monaco-vscode-configuration-service-override'
await initialize({
...getModelEditorServiceOverride((model, input, sideBySide) => {
}),
...getConfigurationServiceOverride(vscode.Uri.file('/tmp/'))
})
updateUserConfiguration(`{
"editor.fontSize": 12,
"[java]": {
"editor.fontSize": 15,
}
}`)
Troubleshoot
initialize
can only be called once ( and it should be called BEFORE creating your first editor).
Editor configuration
The editors created using monaco.editor.create
don't use the configuration from the configurationService.
This library exposes functions to create editors binded on the configuration service:
before:
import * as monaco from 'monaco-editor'
const model = monaco.editor.createModel(...)
const editor = monaco.editor.create({ model, ... })
...
model.dispose()
editor.dispose()
after:
import { createConfiguredEditor, createModelReference } from 'vscode/monaco'
const modelRef = await createModelReference(...)
const editor = createConfiguredEditor({ model: modelRef.object.textEditorModel })
...
await modelRef.object.save()
...
modelRef.dispose()
editor.dispose()
createConfiguredEditor
returns a subclass of what is returned by monaco.editor.create
, the updateOptions
method can still be used.
The only difference is that is will use the configurationService
as a default configuration
createModelReference
return a reference to a model. The value is fetched from the memory filesystem (which is written if you provide the second argument).
The reference can then be disposed, the model will only be disposed if there is no remaining references.
VSCode api usage
You can just import it as if you were in a vscode extension:
import * as vscode from 'vscode'
import { initialize } from 'vscode/extensions'
await initialize()
const range = new vscode.Range(...)
vscode.languages.registerCompletionItemProvider(...)
The api will use the manifest of a default vscode extension, which can be overriden by providing it to the initialize
function.
You can also register a new extension from its manifest:
import { registerExtension, initialize } from 'vscode/extensions'
await initialize()
const { registerFile: registerExtensionFile, getApi } = registerExtension(defaultThemesExtensions)
registerExtensionFile('/file.json', async () => fileContent)
getApi().then(vscodeApi => vscodeApi.languages.registerCompletionItemProvider(...))
Default vscode extensions
VSCode uses a bunch of default extensions. Most of them are used to load the default languages and grammars (see https://github.com/microsoft/vscode/tree/main/extensions).
This library bundles and publishes them and allows to import the ones you want:
import '@codingame/monaco-vscode-javascript-default-extension'
import '@codingame/monaco-vscode-json-default-extension'
...
Loading vsix file
VSCode extension are bundled as vsix files.
This library publishes a rollup plugin (vite-compatible) that allows to load a vsix file.
import vsixPlugin from '@codingame/monaco-vscode-rollup-vsix-plugin'
...
plugins: [
...,
vsixPlugin()
]
import './extension.vsix'
Demo
Try it out on https://codingame.github.io/monaco-vscode-api/
There is a demo that showcases the service-override features. It allows to register contributions with the same syntaxes as in VSCode.
It includes:
- Languages
- VSCode themes
- Textmate grammars (requires vscode themes)
- Notifications/Dialogs
- Model/Editor services
- Configuration service, with user configuration editor
- Keybinding service, with user keybindings editor
- Debuggers
From CLI run:
cd demo
npm ci
npm start
npm run start:debug
For the debug feature, also run:
npm run start:debugServer
Remote agent
To connect to a remote agent, run:
npm run start:extHostServer
Then go to http://localhost:5173/?remoteAuthority=localhost:8000
You can also go to http://localhost:5173/?remoteAuthority=localhost:8000&remotePath=/any/path/on/your/machine to open a directory on your machine as the current workspace
History
This project was mainly created to make the implementation of monaco-languageclient more robust and maintainable.
monaco-languageclient uses vscode-languageclient which was built to run inside a VSCode extension. VSCode extensions communicate with the editor via an API they can import into their code.
The VSCode api exports:
The first implementations of monaco-languageclient were using a fake VSCode api implementation. The vscode-languageclient was hacked so the VSCode<->protocol object converters were mainly bypassed, so the fake VSCode api was receiving Language Server Protocol objects. Then the objects were transformed using custom transformers into Monaco objects to communicate with the monaco api.
This approach has some disadvantages:
- There is a lot of code to transform LSP objects into Monaco objects
- It's hard to follow the updates of VSCode and the language server protocol
- It doesn't behave exactly the same as in VSCode
With this library, it would be possible to plug vscode-languageclient directly on top of monaco, monaco-languageclient still helps to do so by:
- Adding some tweaks to the VSCode LanguageClient (Removing unsupported features...)
- Providing some examples on how to build an app using it
- Adding some tools (DisposableCollection)