DEV Community

Heiker
Heiker

Posted on • Updated on • Originally published at vonheikemen.github.io

Everything you need to know to configure neovim using lua

Pueden leer la versión en español aquí.

After a long time in development neovim 0.5 was finally released as a stable version. Among the new exciting features we have better lua support and the promise of a stable api to create our configuration using this language. So today I'm going to share with you everything I learned while I was migrating my own configuration from vimscript to lua.

If you are new to neovim and want to start your configuration from scratch, I recommend you read this: Build your first Neovim configuration in lua.

Here I'm going to talk about the things we can do with lua and its interaction with vimscript. I will be showing a lot of examples but I will not tell you what options you should set with what value. Also, this won't be a tutorial on "how to turn neovim into an IDE", I'll avoid anything that is language specific. What I want to do is teach you enough about lua and the neovim api so you can migrate your own configuration.

I will assume your operating system is linux (or something close to it) and that your configuration is located at ~/.config/nvim/init.vim. Everything that I will show should work on every system in which neovim can be installed, just keep in mind that the path to the init.vim file might be different in your case.

Let us begin.

First steps

The first thing you need to know is that we can embed lua code directly in init.vim. So we can migrate our config piece by piece and only change from init.vim to init.lua when we are ready.

Let's do the "hello world" to test that everything works as expected. Try this in your init.vim.

lua <<EOF
print('hello from lua')
EOF
Enter fullscreen mode Exit fullscreen mode

After "sourcing" the file or restarting neovim the message hello from lua should appear right below your statusline. In here we are using something called lua-heredoc, so everything that's between <<EOF ... EOF will be considered a lua script and will be executed by the lua command. This is useful when we want to execute multiple lines of code but it's not necessary when we only need one. This is valid.

lua print('this also works')
Enter fullscreen mode Exit fullscreen mode

But if we are going to call lua code from vimscript I say we use a real script. In lua we can do this by using the require function. For this to work we need to create a lua folder somewhere in the runtimepath of neovim.

You'll probably want to use the same folder where init.vim is located, so we will create ~/.config/nvim/lua, and inside that we'll create a script called basic.lua. For now we will only print a message.

print('hello from ~/config/nvim/lua/basic.lua')
Enter fullscreen mode Exit fullscreen mode

Now from our init.vim we can call it like this.

lua require('basic')
Enter fullscreen mode Exit fullscreen mode

When we do this neovim will search in every directory in the runtimepath for a folder called lua and inside that it'll look for basic.lua. Neovim will run the last script that meets those conditions.

If you go around and check other people's code you'll notice that they use a . as a path separator. For example, let's say they have the file ~/.config/nvim/lua/usermod/settings.lua. If they want to call settings.lua they do this.

require('usermod.settings')
Enter fullscreen mode Exit fullscreen mode

Is a very common convention. Just remember that the dot is a path separator.

With all this knowledge we are ready to begin our configuration using lua.

Editor settings

Each option in neovim is available to us in the global variable called vim... well more than just a variable try think of this as a global module. With vim we have access to the editor's settings, we also have the neovim api and even a set of helper functions (a standard library if you will). For now, we only need to care about something they call "meta-accessors", is what we'll use to access all the options we need.

Scopes

Just like in vimscript, in lua we have different scopes for each option. We have global settings, window settings, buffer settings and a few others. Each one has its own namespace inside the vim module.

  • vim.o

Gets or sets general settings.

vim.o.background = 'light'
Enter fullscreen mode Exit fullscreen mode
  • vim.wo

Gets or sets window-scoped options.

vim.wo.colorcolumn = '80'
Enter fullscreen mode Exit fullscreen mode
  • vim.bo

Gets or sets buffer-scoped options.

vim.bo.filetype = 'lua'
Enter fullscreen mode Exit fullscreen mode
  • vim.g

Gets or sets global variables. This is usually the namespace where you'll find variables set by plugins. The only one I know isn't tied to a plugin is the leader key.

-- use space as a the leader key
vim.g.mapleader = ' '
Enter fullscreen mode Exit fullscreen mode

You should know that some variable names in vimscript are not valid in lua. We still have access to them but we can't use the dot notation. For example, vim-zoom has a variable called zoom#statustext and in vimscript we use it like this.

let g:zoom#statustext = 'Z'
Enter fullscreen mode Exit fullscreen mode

In lua we would have to do this.

vim.g['zoom#statustext'] = 'Z'
Enter fullscreen mode Exit fullscreen mode

As you might have guessed this also gives us an oportunity to access properties which have the name of keywords. You may find yourselves in a situation where you need to access a property called for, do or end which are reserved keywords, in those cases remember this bracket syntax.

  • vim.env

Gets or sets environment variables.

vim.env.FZF_DEFAULT_OPTS = '--layout=reverse'
Enter fullscreen mode Exit fullscreen mode

As far as I know if you make a change in an environment variables the change will only apply in the active neovim session.

But now how do we know which "scope" we need to use when we're writting our config? Don't worry about that, think of vim.o and company just as a way to read values. When it's time set values we can use another method.

vim.opt

With vim.opt we can set global, window and buffer settings.

-- buffer-scoped
vim.opt.autoindent = true

-- window-scoped
vim.opt.cursorline = true

-- global scope
vim.opt.autowrite = true
Enter fullscreen mode Exit fullscreen mode

When we use it like this vim.opt acts like the :set command in vimscript, it give us a consistent way to modify neovim's options.

A funny thing you can do is assign vim.opt to a variable called set.

Say we have this piece of vimscript.

" Set the behavior of tab
set tabstop=2
set shiftwidth=2
set softtabstop=2
set expandtab
Enter fullscreen mode Exit fullscreen mode

We could translate this easily in lua like this.

local set = vim.opt

-- Set the behavior of tab
set.tabstop = 2
set.shiftwidth = 2
set.softtabstop = 2
set.expandtab = true
Enter fullscreen mode Exit fullscreen mode

When you declare a variable do not forget the local keyword. In lua variables are global by default (that includes functions).

Anyway, what about global variables or the environment variables? For those you should keep using vim.g and vim.env respectively

What's interesting about vim.opt is that each property is a kind of special object, they are "meta-tables". It means that these objects implement their own behavior for certain common operations.

In the first example we had something like this: vim.opt.autoindent = true, and now you might think you can inspect the current value by doing this.

print(vim.opt.autoindent)
Enter fullscreen mode Exit fullscreen mode

You won't get the value you expect, print will tell you vim.opt.autoindent is a table. If you want to know the value of an option you'll need to use the :get() method.

print(vim.opt.autoindent:get())
Enter fullscreen mode Exit fullscreen mode

If you really, really want to know what's inside vim.out.autoindent you need to use vim.inspect.

print(vim.inspect(vim.opt.autoindent))
Enter fullscreen mode Exit fullscreen mode

Or even better, if you have version v0.7 you can inspect the value using the command lua =.

:lua = vim.opt.autoindent
Enter fullscreen mode Exit fullscreen mode

Now that will show you the internal state of this property.

Types of data

Even when we assign a value inside vim.opt there is a little bit of magic going on in the background. I think is important to know how vim.opt can handle different types of data and compare it with vimscript.

  • Booleans

These might not seem like a big deal but there is still a difference that is worth mention.

In vimscript we can enable or disable an option like this.

set cursorline
set nocursorline
Enter fullscreen mode Exit fullscreen mode

This is the equivalent in lua.

vim.opt.cursorline = true
vim.opt.cursorline = false
Enter fullscreen mode Exit fullscreen mode
  • Lists

For some options neovim expects a comma separated list. In this case we could provide it as a string ourselves.

vim.opt.wildignore = '*/cache/*,*/tmp/*'
Enter fullscreen mode Exit fullscreen mode

Or we could use a table.

vim.opt.wildignore = {'*/cache/*', '*/tmp/*'}
Enter fullscreen mode Exit fullscreen mode

If you check the content of vim.o.wildignore you'll notice is the thing we want */cache/*,*/tmp/*. If you really want to be sure you can check with this command.

:set wildignore?
Enter fullscreen mode Exit fullscreen mode

You'll get the same result.

But the magic does not end there. Sometimes we don't need to override the list, sometimes we need to add an item or maybe delete it. To makes things easier vim.opt offers support for the following operations:

Add an item to the end of the list

Let's take errorformat as an example. If we want to add to this list using vimscript we do this.

set errorformat+=%f\|%l\ col\ %c\|%m
Enter fullscreen mode Exit fullscreen mode

In lua we have a couple of ways to achieve the same goal:

Using the + operator.

vim.opt.errorformat = vim.opt.errorformat + '%f|%l col %c|%m'
Enter fullscreen mode Exit fullscreen mode

Or the :append method.

vim.opt.errorformat:append('%f|%l col %c|%m')
Enter fullscreen mode Exit fullscreen mode

Add to the beginning

In vimscript:

set errorformat^=%f\|%l\ col\ %c\|%m
Enter fullscreen mode Exit fullscreen mode

Lua:

vim.opt.errorformat = vim.opt.errorformat ^ '%f|%l col %c|%m'

-- or try the equivalent

vim.opt.errorformat:prepend('%f|%l col %c|%m')
Enter fullscreen mode Exit fullscreen mode

Delete an item

Vimscript:

set errorformat-=%f\|%l\ col\ %c\|%m
Enter fullscreen mode Exit fullscreen mode

Lua:

vim.opt.errorformat = vim.opt.errorformat - '%f|%l col %c|%m'

-- or the equivalent

vim.opt.errorformat:remove('%f|%l col %c|%m')
Enter fullscreen mode Exit fullscreen mode
  • Pairs

Some options expect a list of key-value pairs. To ilustrate this we'll use listchars.

set listchars=tab:▸\ ,eol:,trail:·
Enter fullscreen mode Exit fullscreen mode

In lua we can use tables for this too.

vim.opt.listchars = {eol = '↲', tab = '▸ ', trail = '·'}
Enter fullscreen mode Exit fullscreen mode

Note: to actually see this on your screen you need to enable the list option. See :help listchars.

Since we are still using tables this option also supports the same operations mentioned in the previous section.

Calling vim functions

Vimscript like any other programming language it has its own built-in functions (many functions) and thanks to the vim module we can call them throught vim.fn. Just like vim.opt, vim.fn is a meta-table, but this one is meant to provide a convenient syntax for us to call vim functions. We use it to call built-in functions, user defined functions and even functions of plugins that are not written in lua.

We could for example check the neovim version like this:

if vim.fn.has('nvim-0.7') == 1 then
  print('we got neovim 0.7')
end
Enter fullscreen mode Exit fullscreen mode

Wait, hold up, why are we comparing the result of has with a 1? Ah, well, it turns out vimscript only included booleans in the 7.4.1154 version. So functions like has return 0 or 1, and in lua both are truthy.

I've already mentioned that vimscript can have variable names that are not valid in lua, in that case you know you can use square brackets like this.

vim.fn['fzf#vim#files']('~/projects', false)
Enter fullscreen mode Exit fullscreen mode

Another way we can solve this is by using vim.call.

vim.call('fzf#vim#files', '~/projects', false)
Enter fullscreen mode Exit fullscreen mode

Those two do the exact same thing. In practice vim.fn.somefunction() and vim.call('somefunction') have the same effect.

Now let me show you something cool. In this particular case the lua-vimscript integration is so good we can use a plugin manager without any special adapters.

vim-plug in lua

I know there is a lot of people out there who use vim-plug, you might think you need to migrate to a plugin manager that is written in lua, but that's not the case. We can use vim.fn and vim.call to bring vim-plug to lua.

local Plug = vim.fn['plug#']

vim.call('plug#begin')

-- List of plugins goes here
-- ....

vim.call('plug#end')
Enter fullscreen mode Exit fullscreen mode

Those 3 lines of code are the only thing you need. You can try it, this works.

local Plug = vim.fn['plug#']

vim.call('plug#begin')

Plug 'wellle/targets.vim'
Plug 'tpope/vim-surround'
Plug 'tpope/vim-repeat'

vim.call('plug#end')
Enter fullscreen mode Exit fullscreen mode

Before you say anything, yes, all of that is valid lua. If a function only receives a single argument, and that argument is a string or a table, you can omit the parenthesis.

If you use the second argument of Plug you'll need the parenthesis and the second argument must be a table. Let me show you. If you have this in vimscript.

Plug 'scrooloose/nerdtree', {'on': 'NERDTreeToggle'}
Enter fullscreen mode Exit fullscreen mode

In lua you'll need to do this.

Plug('scrooloose/nerdtree', {on = 'NERDTreeToggle'})
Enter fullscreen mode Exit fullscreen mode

Unfortunately vim-plug has a couple of options that will cause an error if we use this syntax, those are for and do. In this case we need to wrap the key in quotes and square brackets.

Plug('junegunn/goyo.vim', {['for'] = 'markdown'})
Enter fullscreen mode Exit fullscreen mode

You might know that the do option takes a string or a function which will be executed when the plugin is updated or installed. But what you might not know is that we are not forced to use a "vim function", we can use lua function and it'll work just fine.

Plug('VonHeikemen/rubber-themes.vim', {
  ['do'] = function()
    vim.opt.termguicolors = true
    vim.cmd('colorscheme rubber')
  end
})
Enter fullscreen mode Exit fullscreen mode

There you have it. You don't need to use a plugin manager written in lua if you don't want to.

Vimscript is still our friend

You might have notice in that last example I used vim.cmd to set the color scheme, this is because there are still things we can't do with lua. And so what we do is use vim.cmd to call vimscript commands (or expressions) that don't have a lua equivalent.

One interestings thing you should know is vim.cmd can execute multiple lines of vimscript. It means that we can do lots of things in a single call.

vim.cmd [[
  syntax enable
  colorscheme rubber
]]
Enter fullscreen mode Exit fullscreen mode

So anything that you can't "translate" to lua you can put it in a string and pass that to vim.cmd.

I told you we can execute any vim command, right? I feel compelled to tell you this includes the source command. For those who don't know, source allows us to call other files written in vimscript. For example, if you have lots of keybindings writing in vimscript but don't wish to convert them to lua right now, you can create a script called keymaps.vim and call it.

vim.cmd 'source ~/.config/nvim/keymaps.vim'
Enter fullscreen mode Exit fullscreen mode

Keybindings

No, we don't need vimscript for this. We can do it in lua.

We can create our keybindings using vim.keymap.set. This functions takes 4 arguments.

  • Mode. But not the name of the mode, we need the abbreviation. You can find a list of valid options here.
  • Key we want to bind.
  • Action we want to execute.
  • Extra arguments. These are the same options we would use in vimscript, you can find the list here. Also, check the documentation :help vim.keymap.set().

So if we wanted to translate this to lua.

nnoremap <Leader>w :write<CR>
Enter fullscreen mode Exit fullscreen mode

We would have to do this.

vim.keymap.set('n', '<Leader>w', ':write<CR>')
Enter fullscreen mode Exit fullscreen mode

By default our keybindings will be "non recursive", it means that we don't have to worry about infinite loops. This opens the possibility to create alternatives of built-in keybindings. For example, we could center the screen after making a search with *.

vim.keymap.set('n', '*', '*zz', {desc = 'Search and center screen'})
Enter fullscreen mode Exit fullscreen mode

In here we are using * in the key and the action, and we won't have any conflict.

But sometimes we do need recursive bindings, most of the time when the action we want to execute was created by a plugin. In this case we can use remap = true in the last parameter.

vim.keymap.set('n', '<leader>e', '%', {remap = true, desc = 'Go to matching pair'})
Enter fullscreen mode Exit fullscreen mode

Now the best part, vim.keymap.set can use a lua function as the action.

vim.keymap.set('n', 'Q', function()
  print('Hello')
end, {desc = 'Say hello'})
Enter fullscreen mode Exit fullscreen mode

Let's talk about the desc option. This allows us to add a description to our keybindings. We can read these description if we use the command :map <keybinding>.

So executing :map * will show us.

n  *           * *zz
                 Search and center screen
Enter fullscreen mode Exit fullscreen mode

It becomes specially useful when using binding lua functions. If we inspect our Q mapping with :map Q we will get.

n  Q           * <Lua function 50>
                 Say hello
Enter fullscreen mode Exit fullscreen mode

Notice we can't see the source for our function but at least we see the description and know what it can do. It is worth mention that plugins can read this property and show it with a nice presentation.

User commands

Since version v0.7 we can create our own "ex-commands" using lua, with the function vim.api.nvim_create_user_command.

nvim_create_user_command expects three arguments:

Say we have this command in vimscript.

command! -bang ProjectFiles call fzf#vim#files('~/projects', <bang>0)
Enter fullscreen mode Exit fullscreen mode

Using lua we have the possibility of using the vimscript command in a string.

vim.api.nvim_create_user_command(
  'ProjectFiles',
  "call fzf#vim#files('~/projects', <bang>0)",
  {bang = true}
)
Enter fullscreen mode Exit fullscreen mode

Or, we could use a lua function.

vim.api.nvim_create_user_command(
  'ProjectFiles',
  function(input)
    vim.call('fzf#vim#files', '~/projects', input.bang)
  end,
  {bang = true, desc = 'Search projects folder'}
)
Enter fullscreen mode Exit fullscreen mode

Yes, we can also add a description to user commands. We read these descriptions using the command :command <name>. But they will only appear if our command is bound to a lua function. So the command :command ProjectFiles will show this.

    Name              Args Address Complete    Definition
!   ProjectFiles      0                        Search projects folder
Enter fullscreen mode Exit fullscreen mode

If the command had been vimscript expression the that expression will appear in the Definition column.

Autocommands

With autocommands we execute functions and expressions on certain events. See :help events for a list of built-in events.

If we wanted to modify the rubber colorscheme a little bit we would do something like this.

augroup highlight_cmds
  autocmd!
  autocmd ColorScheme rubber highlight String guifg=#FFEB95
augroup END
Enter fullscreen mode Exit fullscreen mode

This block should be executed before calling the colorscheme command.

This would be the equivalent in lua.

local augroup = vim.api.nvim_create_augroup('highlight_cmds', {clear = true})

vim.api.nvim_create_autocmd('ColorScheme', {
  pattern = 'rubber',
  group = augroup,
  command = 'highlight String guifg=#FFEB95'
})
Enter fullscreen mode Exit fullscreen mode

Notice here we are using an option called command, this can only execute vimscript. If we wanted to use a lua function we need to replace command with an option called callback.

local augroup = vim.api.nvim_create_augroup('highlight_cmds', {clear = true})

vim.api.nvim_create_autocmd('ColorScheme', {
  pattern = 'rubber',
  group = augroup,
  desc = 'Change string highlight',
  callback = function()
    vim.api.nvim_set_hl(0, 'String', {fg = '#FFEB95'})
  end
})
Enter fullscreen mode Exit fullscreen mode

Just like the previous apis we can add a description for autocommands. To inspect an autocommand use the command :autocmd <event> <pattern>. But just like user commands they will only be available for inspection when using a lua function. If we check with :autocmd ColorScheme rubber will get.

ColorScheme
    rubber    Change string highlight
Enter fullscreen mode Exit fullscreen mode

To know more details about autocommands checkout the documentation, see :help nvim_create_autocmd() and :help autocmd.

Plugin manager

You might want a plugin manager that is written in lua, just because. It appears that right now these are your options:

A plugin manager that is simple and fast. I'm serious, this thing is around 500 lines of code. It was created to download, update and remove plugins. That's it. If you don't need anything else, look no further, this is the plugin manager you want.

It advertises automatic lazy-loading that allows fast startup times. It lets you manage your plugins with a very nice interface. You can also split your plugins into modules where you can specify dependencies, configurations, version and other things.

This is a middle ground between paq-nvim and lazy.nvim. It has some useful features like the ability to rollback a plugin to a previous version, but it doesn't offer advanced lazy loading options like lazy.nvim does.

Conclusion

Recap time. We learned how to use lua from vimscript. We now know how to use vimscript from lua. We have the tools to activate, deactivate and modify all sorts of options and variables in neovim. We got to know the methods we have available to create our keymaps. We learned about commands and autocommands. We figure out how to use plugin managers that aren't written in lua, and saw a few alternatives that are written in lua. I say we are ready to use lua in neovim.

For those who want to see a real world usage or whatever, I'll share some links

This is a "starter template" you can copy and use as your own config:

And this my personal config in github:

Sources


Thank you for your time. If you find this article useful and want to support my efforts, consider leaving a tip in buy me a coffee ☕.

buy me a coffee

Top comments (2)

Collapse
 
softmoth profile image
Tim Siegel

Here's an example of tweaking a colorscheme after it's loaded. Just put this in the config before you call vim.cmd.colorscheme("foo").

You can also get the color for a current highlight with vim.api.nvim_get_hl_by_name("Search", true), and do all sorts of things from there.

vim.api.nvim_create_autocmd({ "ColorScheme" }, {
      callback = function()
            local color = "#212121"
            local color2 = "#313131"
            vim.cmd.highlight({ "ColorColumn", "guibg=" .. color })
            vim.cmd.highlight({ "CursorColumn", "guibg=" .. color })
            vim.cmd.highlight({ "CursorLine", "guibg=" .. color })
            vim.cmd.highlight({ "Whitespace", "guifg=" .. color2 })
      end
})
Enter fullscreen mode Exit fullscreen mode
Collapse
 
trendels profile image
trendels

Hi, great article! I finally managed to convert my nvim configuration to lua. Just a quick suggestion: There is some syntactic sugar to make executing vim commands easier: Instead of

vim.cmd('colorscheme foo')
Enter fullscreen mode Exit fullscreen mode

you can also write

vim.cmd.colorscheme('foo')
Enter fullscreen mode Exit fullscreen mode

I find this a bit nicer to look at.