Awesome
Neovim node.js client
CI (node >= 14, Linux/macOS/Windows) | Coverage | npm |
---|---|---|
Install
For "remote plugins", the Nvim Node.js provider expects the neovim
package to be globally installed:
npm install -g neovim
Or for non-plugin purposes, neovim
works like any other NPM package.
See below for a quickstart example that you can copy and run immediately.
Usage
Functions
The neovim
package provides these functions:
attach()
: The primary interface. Takes a process, socket, or pair of write/read streams and returns aNeovimClient
connected to annvim
process.findNvim()
: Tries to find a usablenvim
binary on the current system.
Logging
- At load-time, the
neovim
module replaces ("monkey patches")console
with itslogger
interface, soconsole.log
will calllogger.info
instead of writing to stdout (which would break the stdio RPC channel).- To skip this patching of
console.log
, pass a customlogger
toattach()
. - Best practice in any case is to use the
logger
available from theNeovimClient
returned byattach()
, instead ofconsole
logging functions.
- To skip this patching of
- Set the
$NVIM_NODE_LOG_FILE
env var to (also) write logs to a file. - Set the
$ALLOW_CONSOLE
env var to (also) write logs to stdout. This will break any (stdio) RPC channel because logs written to stdout are invalid RPC messages.
Quickstart: connect to Nvim
Following is a complete, working example.
- Install the
neovim
package locally in any directory (i.e. without-g
. Node throwsERR_MODULE_NOT_FOUND
if a script imports a globally installed package).npm install neovim
- Paste the script below into a
demo.mjs
file and run it!ALLOW_CONSOLE=1 node demo.mjs
$ALLOW_CONSOLE
env var must be set, because logs are normally not printed to stdout.- Note:
$ALLOW_CONSOLE
is only for demo purposes. It cannot be used for remote plugins or whenever stdio is an RPC channel, because writing logs to stdout would break the RPC channel.
- Note:
- Script:
import * as child_process from 'node:child_process' import * as assert from 'node:assert' import { attach, findNvim } from 'neovim' // Find `nvim` on the system and open a channel to it. (async function() { const found = findNvim({ orderBy: 'desc', minVersion: '0.9.0' }) console.log(found); const nvim_proc = child_process.spawn(found.matches[0].path, ['--clean', '--embed'], {}); const nvim = attach({ proc: nvim_proc }); nvim.command('vsp | vsp | vsp'); const windows = await nvim.windows; assert.deepStrictEqual(windows.length, 4); assert.ok(windows[0] instanceof nvim.Window); nvim.window = windows[2]; const win = await nvim.window; assert.ok(win.id !== windows[0].id); assert.deepStrictEqual(win.id, windows[2].id); const buf = await nvim.buffer; assert.ok(buf instanceof nvim.Buffer); const lines = await buf.lines; assert.deepStrictEqual(lines, []); await buf.replace(['line1', 'line2'], 0); const newLines = await buf.lines; assert.deepStrictEqual(newLines, ['line1', 'line2']); if (nvim_proc.disconnect) { nvim_proc.disconnect(); } nvim.quit(); while (nvim_proc.exitCode === null) { await new Promise(resolve => setTimeout(resolve, 100)) console.log('waiting for Nvim (pid %d) to exit', nvim_proc.pid); } console.log('Nvim exit code: %d', nvim_proc.exitCode); })();
Create a remote plugin
Neovim supports remote plugins, which are plugins implemented as Nvim API clients. This package contains both the "API client" (which talks to nvim) and "remote plugin host" (which discovers and runs Nvim node.js remote plugins).
You can define a remote plugin as a file or folder in an rplugin/node/
directory on Nvim's 'runtimepath'.
If the plugin is a folder, the main
script from package.json
will be loaded.
The plugin must export a function which takes a NvimPlugin
object as its only parameter. You may then register autocmds, commands and functions by calling methods on the NvimPlugin
object.
Avoid heavy initialisation or async functions at this stage, because Nvim may only be collecting information about your plugin without wishing to actually use it.
Instead, wait for one of your autocmds, commands or functions to be called before starting any processing.
Remote plugin examples
See examples/
for remote plugin examples.
Remote plugin API
NvimPlugin.nvim
This is the nvim api object you can use to send commands from your plugin to nvim.
NvimPlugin.setOptions(options: NvimPluginOptions);
interface NvimPluginOptions {
dev?: boolean;
alwaysInit?: boolean;
}
Set your plugin to dev mode, which will cause the module to be reloaded on each invocation.
alwaysInit
will always attempt to attempt to re-instantiate the plugin. e.g. your plugin class will
always get called on each invocation of your plugin's command.
NvimPlugin.registerAutocmd(name: string, fn: Function, options: AutocmdOptions): void;
NvimPlugin.registerAutocmd(name: string, fn: [any, Function], options: AutocmdOptions): void;
interface AutocmdOptions {
pattern: string; // See `:help autocmd-pattern`.
eval?: string; // Vimscript expression evaluated by the Nvim peer.
sync?: boolean; // Force blocking (non-async) behavior.
}
Registers an autocmd for the event name
, calling your function fn
with options
. Pattern is the only required option. If you wish to call a method on an object you may pass fn
as an array of [object, object.method]
.
By default autocmds, commands and functions are all treated as asynchronous and should return Promises
(or should be async
functions).
NvimPlugin.registerCommand(name: string, fn: Function, options?: CommandOptions): void;
NvimPlugin.registerCommand(name: string, fn: [any, Function], options?: CommandOptions): void;
interface CommandOptions {
sync?: boolean; // Force blocking (non-async) behavior.
range?: string; // See `:help :range`.
nargs?: string; // See `:help :command-nargs`.
}
Registers a command named by name
, calling function fn
with options
. This will be invoked from nvim by entering :name
in normal mode.
NvimPlugin.registerFunction(name: string, fn: Function, options?: NvimFunctionOptions): void;
NvimPlugin.registerFunction(name: string, fn: [any, Function], options?: NvimFunctionOptions): void;
interface NvimFunctionOptions {
sync?: boolean; // Force blocking (non-async) behavior.
range?: string; // See `:help :range`.
eval?: string; // Vimscript expression evaluated by the Nvim peer.
}
Registers a function with name name
, calling function fn
with options
. This will be invoked from nvim by entering eg :call name()
in normal mode.
Debug / troubleshoot
For debugging and configuring logging, you can set the following environment variables which are used by the neovim
package (or nvim
itself where noted):
NVIM_NODE_HOST_DEBUG
: Spawns the node process that callsneovim-client-host
with--inspect-brk
so you can have a debugger. Pair that with this Node Inspector Manager Chrome plugin- Logging: Logging is done using
winston
through thelogger
module. This package replacesconsole
with this interface.NVIM_NODE_LOG_LEVEL
: Sets the logging level for winston. Default isdebug
. Available levels:{ error: 0, warn: 1, info: 2, verbose: 3, debug: 4, silly: 5 }
NVIM_NODE_LOG_FILE
: Sets the log file path.
- Usage through node REPL
NVIM_LISTEN_ADDRESS
:- Start Nvim with a known address (or use the $NVIM_LISTEN_ADDRESS of a running instance):
$ NVIM_LISTEN_ADDRESS=/tmp/nvim nvim
- In another terminal, connect a node REPL to Nvim
// `scripts/nvim` will detect if `NVIM_LISTEN_ADDRESS` is set and use that unix socket // Otherwise will create an embedded `nvim` instance require('neovim/scripts/nvim').then((nvim) => { nvim.command('vsp'); });
- Start Nvim with a known address (or use the $NVIM_LISTEN_ADDRESS of a running instance):
See the tests and scripts
for more examples.
Develop
After cloning the repo, run npm install
to install dev dependencies. The main neovim
library is in packages/neovim
.
Run tests
npm run build && NVIM_NODE_LOG_FILE=log npm run test
Maintain
Release
Only maintainers of the neovim NPM package can publish a release. Follow these steps to publish a release:
- Update
CHANGELOG.md
. - Update version. Build and publish the package. Tag the release and push.
# Choose major/minor/patch as needed. npm version --no-git-tag-version patch npm version -w packages/neovim/ patch git add package*.json packages/neovim/package.json git commit -m 'release' # Note: this copies the top-level README.md/CHANGELOG.md to packages/neovim/. npm run publish:neovim export _VERSION=$(grep -o 'version": "[^"]\+' packages/neovim/package.json | sed 's/.*"//') git tag "v${_VERSION}" git push --tags git push
- Post-release tasks:
- Add stub to
CHANGELOG.md
. - Bump and commit.
npm version --no-git-tag-version prerelease --preid dev npm version -w packages/neovim/ --no-git-tag-version prerelease --preid dev git add package*.json packages/neovim/package.json git commit -m bump git push
- Add stub to
Regenerate documentation website
The docs website is currently not automated. Follow these steps to regenerate it:
npm run doc -w packages/neovim
git checkout gh-pages
shopt -s extglob
git rm -r !(node_modules|packages)
mv packages/neovim/doc/* .
rm -r packages/
git add !(node_modules|packages)
git commit -m 'publish docs'
git push origin HEAD:gh-pages