打开APP
userphoto
未登录

开通VIP,畅享免费电子书等14项超值服

开通VIP
Writing Vim Plugins / Steve Losh

A while ago I wrote a post about switching back to Vim. Since thenI’ve written two plugins for Vim, one of which has been officially “released”.

A couple of people have asked me if I’d write a guide to creating Vim plugins.I don’t feel confident enough to write an official “guide”, but I do have some advicefor Vim plugin authors that might be useful.

Other People Who Know More Than I Do

Writing two decently-sized Vim plugins has given me some experience, but there area lot of people that know far more than I do. There are two in particular that cometo mind. I’d love for them to write some guides (or even books) about modern-day Vimscripting.

Tim Pope

The first is Tim Pope. He’s written a ton of Vim plugins like Pathogen,Surround, Repeat, Speeddating and Fugitive. Each of those is clear,focused and polished.

It would be awesome to read a guide on the ins and outs of Vim scripting by him.

Scrooloose

The other person that comes to mind is Scrooloose, author of NERDTree,NERDCommenter and Syntastic.

His plugins are large and full-featured but work incredibly well, considering howtricky and painful Vimscript is to work with. I’d love to read a guide on writinglarge-scale Vim plugins by him.

Be Pathogen-Compatible

It’s 2011. When writing your plugin, please make its source compatible withPathogen. It’s very easy to do this — just set up your project’s files likethis:

yourplugin/    doc/        yourplugin.txt    plugin/        yourplugin.vim    ...    README    LICENSE

This will let users use Pathogen (or Vundle) to install and use your plugin.

The days of “unzip and drag the files into the right directories” and the horror ofVimballs are over. Pathogen and Vundle are the right way to manage plugins, so letyour users use them.

Please, For the Love of God, Use normal!

My first piece of actual scripting advice is something simple but important. Ifyou’re writing a Vim plugin and need to perform some actions, you might be tempted touse normal. Don’t. Instead, you need to use normal!.

normal! is like normal, but ignores mappings the user has set up. If you useplain old normal dd and I’ve remapped dd to do something else, the call will usemy mapping and probably not do what your plugin expects. Using normal! ensuresthat the call will do what you expect no matter what the user has mapped.

This is a single instance of a more general theme. Vim is very customizable and userswill do lots of crazy things in their .vimrc files. If a key can be mapped ora setting changed, you have to assume that some user of your plugin will havemapped or changed it.

Mapping Keys the Right Way

Most plugins add key mappings to make them easier to use. Unfortunately this can betricky to get right. You can never tell what keys your users have already mappedthemselves, and shadowing someone’s favorite key mapping will break their musclememory and annoy them to no end.

When to Map Keys

The first question to ask is whether your plugin needs to map keys itself at all.

My Gundo plugin has only one feature that needs to be mapped to a key in order tomake it useful: the “toggle Gundo” action.

Gundo doesn’t map this key itself, because no matter what “default” mapping I picksomeone will have already mapped it. Instead I added a section right in the READMEfile that shows how a user can map the key themselves:

nnoremap <F5> :GundoToggle<CR>

By making users add this line to their .vimrc themselves it shows them which key isused to toggle Gundo (which they would have to know anyway) and also makes it obvioushow to change it to suit their taste.

imap and nmap are Pure Evil

Sometimes forcing the user to map their own keys won’t work. Perhaps your plugin hasmany mappings that would be tedious for a user to set up manually (like myThreesome plugin), or its mappings are mnemonic and wouldn’t really make sense ifmapped to other keys.

I’ll talk more about how to deal with this in a moment, but the most important thingto remember when mapping your own keys is that you must always, always,always use the noremap forms of the various map commands.

If you map a key with nmap and the user has remapped a key that your mapping uses,your mapped key will almost certainly not do what you want. Using nnoremap willignore user mappings and do what you expect.

This is the same principle as normal and normal!: never trust your users’configurations.

Let Me Configure Mappings

If you feel that your plugin must map some keys, please make those mappingsconfigurable in some way.

There are a number of ways to do this. The easiest way is to provide a configurationoption that disables all mappings. The user can them remap the keys as they see fit.For example:

if !exists('g:yourplugin_map_keys')    let g:yourplugin_map_keys = 1endifif g:yourplugin_map_keys    nnoremap <leader>d :call <sid>YourPluginDelete()<CR>endif

Normal users will get the mappings automatically set up for them, and power users canremap the keys to whatever they wish to avoid shadowing their own mappings.

If your plugin’s mappings all start with a common prefix (like <leader> or<localleader>) you have another option: allow users to configure this prefix. Thisis the approach I’ve used in Threesome. It works like this:

if !exists('g:yourplugin_map_prefix')    let g:yourplugin_map_prefix = '<leader>'endifexecute "nnoremap"  g:yourplugin_map_prefix."d"  ":call <sid>YourPluginDelete()<CR>"

The execute command lets you build the mapping string dynamically so your users canchange the mapping prefix.

There is a third option for solving this problem: the hasmapto() Vim function.Some plugins will use this to map a command to a key unless the user has alreadymapped that command to something else. I don’t personally like this option becauseit feels less clear to me, but I know other people feel differently so I wanted tomention it.

Localize Mappings and Settings

The next step in being a good Vim plugin author is to try to minimize the effects ofyour key mappings and setting changes. Some plugins will need to have globaleffects but others will not.

For example: if you’re writing a plugin for working with Python files it should onlytake effect for Python buffers, not all buffers.

Localizing Mappings

Key binding are easy to localize to single buffers. All of the noremap commandscan take an extra <buffer> argument that will localize the mapping to the currentbuffer.

" Remaps <leader>z globallynnoremap <leader>z :YourPluginFoo<cr>" Remaps <leader>z only in the current buffernnoremap <buffer> <leader>z :YourPluginFoo<cr>

However, the problem is that you need to run this command in every buffer you wantthe mapping active. To do this your plugin can use an autocommand. Here’s a fullexample, using this concept plus the previously mentioned configuration options:

if !exists('g:yourplugin_map_keys')    let g:yourplugin_map_keys = 1endifif !exists('g:yourplugin_map_prefix')    let g:yourplugin_map_prefix = '<leader>'endifif g:yourplugin_map_keys    execute "autocommand FileType python" "nnoremap <buffer>" g:yourplugin_map_prefix."d"  ":call <sid>YourPluginDelete()<CR>"endif

Now your plugin will define a key mapping only for Python buffers, and your users candisable or customize this mapping as they see fit.

This mapping command is quite ugly. Unfortunately that’s the price of usingVimscript and trying to make a plugin that will work for many users. Later I’ll talkabout one possible solution to this ugliness.

Localizing Settings

Just as you should make mappings local to buffers when appropriate, you should do thesame with settings like foldmethod, foldmarker and shiftwidth. Not allsettings can be set locally in a buffer. You can read :help <settingname> to seeif it’s possible.

You can use setlocal instead of set to localize settings to individual buffers.Like with mappings you’ll need to use an autocommand to run the setlocal commandevery time the users opens a new buffer.

Autoload is Your Friend

If your plugin is something that users will be using all the time you can skip thissection.

If you’re writing something that will only be used in specific cases, you can helpyour users by using Vim’s autoload functionality to delay loading its code untilthe user actually tries to use it.

The way autoload works is fairly simple. Normally you would bind a key to call one of yourplugin’s functions with something like this:

nnoremap <leader>z :call YourPluginFunction()<CR>

You can use autoloading by prepending yourplugin# to the name of the function:

nnoremap <leader>z :call yourplugin#YourPluginFunction()<CR>

When this mapping is run, Vim will do the following:

  1. Check to see if YourPluginFunction is already defined. If so, call it.
  2. Otherwise, look in ~/.vim/autoload/ for a file named yourplugin.vim.
  3. If it exists, parse and load the file (which presumably definesYourPluginFunction somewhere inside of it).
  4. Call the function.

This means that instead of putting all of your plugin’s code inplugin/yourplugin.vim you can put just the key mapping code there and pull the restout into autoload/yourplugin.vim.

If your plugin has a decent amount of code this can reduce the startup time of Vim bya significant amount.

Check out the full documentation of autoload by running :help autoload to learnmuch more.

Backwards Compatibility is a Big Deal

Once you’ve written your Vim plugin and released it into the wild, you have tomaintain it. Users will find bugs and ask for new features.

Part of being a responsible developer of any kind, including a Vim plugin author, ismaintaining backwards compatibility, especially for tools that users will use everyday and burn into their muscle memory. Users rely on tools to work, and tools thatbreak backwards compatibility will quickly lose users’ trust.

Maintaining backwards compatibility will cause your plugin’s code to get crufty inspots, but it’s the price of maintaining your users’ happiness.

What Matters for Backards Compatibility?

For a Vim plugin the most important part of staying backwards compatible is ensuringthat key mappings, customized or not, continue to do what users expect.

If your plugin maps key X to do Y, then pressing X should always do Y, evenif you change how Y is called by renaming Y to Z. This may mean changing Yinto a wrapper function which simply calls Z.

There are many other aspects of backwards compatibility that you will have toconsider, depending on the purpose of your plugin. The rule of thumb you shouldfollow is: if a user uses this plugin on a daily basis and has its usage burned intotheir muscle memory, updating the plugin should not make them relearn anything.

Use Semantic Versioning So I Can Stay Sane

A fast, simple, easy way to document your plugin’s state is to use semanticversioning.

Semantic versioning is simply the idea that instead of picking arbitrary versionnumbers for releases of your project, you use version numbers that describe thebackwards-compatible state in a meaningful way.

In a nutshell, these rules describe how you should select version numbers for newreleases:

  • Version numbers have three components: major.minor.bugfix. For example: 1.2.4or 2.13.0.
  • Versions with a major version of 0 (e.g. 0.2.3) make no guarantees aboutbackwards compatibility. You are free to break anything you want. It’s only afteryou release 1.0.0 that you begin making promises.
  • If a release introduces backwards-incompatible changes, increment the major versionnumber.
  • If a release is backwards-compatible, but adds new features, increment the minorversion number.
  • If a release simply fixes bugs, refactors code, or improves performance, incrementthe bugfix version number.

This simple scheme makes it easy for users to tell (in a broad sense) what haschanged when they update your project.

If only the bugfix number has changed they can update without fear and continue onwithout worrying about changes unless they’re curious.

If the minor version number has changed they might want to look at the changelog tosee what new features they may want to take advantage of, but if they’re busy theycan simply update and move on.

If the major version number has changed it’s a major red flag, and they’ll want toread the changelog carefully to see what is different.

Some people don’t like semantic versioning for the following reason:

If I have to increment the major version number every time I makebackwards-incompatible changes, I’ll quickly be at ugly versions like 24.1.2!

To this I say: “Yes, but if that happens you’re doing things wrong in the firstplace.”

Keep your project in “beta” (i.e. version 0.*.*) for as long as you need toexperiment freely. Take your time and make sure you’ve gotten things (mostly)right. Once you release 1.0.0 it’s time to start being responsible and caringabout backwards compatibility.

Breaking functionality all the time harms your users by reducing their productivityand frustrating them. Yes, it means adding some cruft to your code over time, butit’s the price of not being evil.

Document Everything

A critical part of releasing a Vim plugin to the world is writing documentation forit. Vim has fantastic documentation itself, so your plugins should follow in itsfootsteps and provide thorough docs.

Pick Some Requirements and Stick to Them

The most important part of your documentation is telling users what they need to havein order to use your plugin. Vim runs on nearly every system imaginable and can becompiled in many different ways, so being specific about your plugin’s requirementswill save users a lot of trial and error.

  • Does your plugin only work with Vim version X.Y or later?
  • Does it require Python/Ruby/etc support compiled in? Which version?
  • Does it not work on Windows?
  • Does it rely on an external tool?

If the answer to any of those questions is “yes”, you must mention it in thedocumentation.

Write a README

The first step to documenting your plugin is to write a README file for therepository. You can also use the text of this file as the description if you uploadyour plugin to the vim website, or the content of your plugin’s website if youcreate one for it.

Some examples of things to include in your README are:

  • An overview of what the plugin does.
  • Screenshots, if possible.
  • Requirements.
  • Installation instructions.
  • Common configuration options that many users will want to know.
  • Links to:
    • A canonical web address to find the plugin.
    • The bug tracker for the plugin.
    • The source code or repository of the plugin.

Create a Simple Website

This isn’t strictly necessary, but having a simple website for your plugin is anextra touch that makes it seem more polished.

It also gives you a canonical URL that people can visit to get the latest informationabout your plugin.

I’ve made simple sites for both of my plugins: Gundo and Threesome. Feelfree to use them as an example or even take their code and use it for your own pluginsites if you like.

Write a Vim Help Document

The bulk of your plugin’s documentation should be in the form of a Vim help document.Users are used to using Vim’s :help and they’ll expect to be able to use it tolearn about your plugin.

Creating a help document is as easy as creating a doc/yourplugin.txt file in yourproject. It will be indexed automatically by pathogen#helptags() so your userswill have the docs at their fingertips.

Two easy ways to learn the syntax of help files are by reading :help help-writingand using an existing plugin’s help file as an example.

Take your time and craft a beautiful help file you can be proud of. Don’t be afraidto add a bit of personality to your docs to break the dryness. The syntastic helpfile is a great example (especially the About section).

Things to include in your documentation:

  • A brief overview of the plugin.
  • A more in-depth description of how the plugin is used.
  • Every single key mapping the plugin creates.
  • Ways to extend the plugin, if applicable.
  • All configuration variables (including their default values!).
  • The plugin’s changelog.
  • The plugin’s license.
  • Links to the plugin’s repository and bug tracker.

In a nutshell: your help file should contain anything a user would ever need to knowabout your plugin.

Keep a Changelog

The last part of documenting your project is keeping a changelog. You can skip thiswhile your project is still in “beta” (i.e. less than version 1.0.0) but once youofficially release a real version you need to keep your users informed about what haschanged between releases.

I like to include this log in the README, the plugin’s website, and thedocumentation to make it as easy as possible for users to see what’s changed.

Try to keep the language of the changelog at a high enough level for your users tounderstand without knowing anything about the implementation of your plugin. Thingslike “added feature X” and “fixed bug Y” are great, while things like “refactored theinner workings of utility function Z” are best left in commit messages.

Making Vimscript Palatable

The worst part about writing Vim plugins is, without a doubt, dealing with Vimscript.It’s an esoteric language that’s grown organically over the years seemingly withoutany strong design direction.

Features are added to Vim, then Vimscript features are added to control thosefeatures, then hacky workarounds are added for flexibility.

The syntax is terse, ugly and inconsistent. Is " foo a comment? Sometimes.

Much of the time you’ll spend writing your first plugin will be learning how to dothings in Vimscript. The help documentation on all of its features is thorough, butit can be hard to find what you’re looking for if you don’t know the exact name.Looking through other plugins is often very helpful in pointing you toward what youneed.

There are a couple of ways to ease the pain of Vimscript, and I’ll briefly talk abouttwo of them here.

Wrap. Everything.

The first piece of advice I have is this: if you want to make your plugins readableand maintainable then you need to wrap up functionality even more than you would inother languages.

For example, my Gundo plugin has a few utility functions that look like this:

function! s:GundoGoToWindowForBufferName(name)"{{{    if bufwinnr(bufnr(a:name)) != -1        exe bufwinnr(bufnr(a:name)) . "wincmd w"        return 1    else        return 0    endifendfunction"}}}

This function will go to the window for the given buffer name and gracefully handlethe case where the buffer/window does not exist. It’s verbose but much more readablethan the alternative of using that if statement in every place I need to switchwindows.

As you write your plugin you’ll “grow” a number of these utility functions. Any timeyou duplicate code you should think about creating one, but you should also do so anytime you write a particularly hairy line of Vimscript. Pulling complex lines outinto named functions will save you a lot of reviewing and rethinking down the line.

Scripting Vim with Other Languages

Another option for making Vimscript less painful is to simply not use it much at all.Vim includes support for creating plugins in a number of other languages like Pythonand Ruby. Many plugin authors choose to move nearly all of their code into anotherlanguage, using a small Vimscript “wrapper” to expose it to the user.

I decided to try this approach with Threesome after seeing it used in thevim-orgmode plugin to great effect. Overall I consider it to be a good idea,with a few caveats.

First, using another language will requires your plugin’s users to use a version ofVim compiled with support for that version. In this day and age it’s usually nota problem, but if you want your plugin to run everywhere then it’s not an option.

Using another language adds overhead. You need to not only learn Vimscript but alsothe interface between Vim and the language. For small plugins this can add morecomplexity to the project than it saves, but for larger plugins it can pay foritself. It’s up to you to decide whether it’s worth it.

Finally, using another language does not entirely insulate you from theeccentricities of Vimscript. You still need to learn how to do most things inVimscript — using another language simply lets you wrap most of this up more neatlythan you otherwise could.

Unit Testing Will Make You Drink

Unit testing (and other types of testing) is becoming more and more popular today.In particular the Python and Ruby communities seem to be getting more and moreexcited about it as time goes on.

Unfortunately, unit testing Vim plugins lies somewhere between “painful” and“garden-weaseling your face” on the difficulty scale.

I tried adding some unit tests to Gundo, but even after looking at a number offrameworks I was spending hours simply trying to get my tests to function.

I didn’t even bother trying to add tests to Threesome because for every hourI would have spent fighting Vim to create tests I could have cleaned up the code andfixed bugs instead.

I’ll gladly change my opinion on the subject if someone writes a unit testingframework for Vim that’s as easy to use as Cram. In fact, I’ll even buy theauthor a $100 bottle of scotch (or whatever they prefer).

Until that happens I personally don’t think it’s worth your time to unit test Vimplugins. Spend your extra hours reading documentation, testing things manually witha variety of settings, and thinking hard about your code instead.

TL;DR

Writing Vim plugins is tricky. Vimscript is a rabbit hole of sadness and despair,and trying to please all your users while maintaining backwards compatibility isa monumental task.

With that said, creating something that people use every day to help them makebeautiful software projects is extremely rewarding. Even if your plugin doesn’t getmany users, being able to use a tool you wrote is very satisfying.

So if you’ve got an idea for a plugin that would make Vim better just sit down, learnabout Vimscript, create it, and release it so we can all benefit.

If you have any questions or comments feel free to hit me up onTwitter. You might also enjoy following @dotvimrc where I try totweet random, bite-sized lines you might like to put in your .vimrc file.

本站仅提供存储服务,所有内容均由用户发布,如发现有害或侵权内容,请点击举报
打开APP,阅读全文并永久保存 查看更多类似文章
猜你喜欢
类似文章
Python-mode: 开发Python应用的Vim插件
2014年15个最好的免费WordPress插件
Gvim开发环境配置笔记
使用vim打造自己的python编辑器
Vim与Python真乃天作之合| 编程派 | Coding Python
优雅的在终端中编写 Python
更多类似文章 >>
生活服务
热点新闻
分享 收藏 导长图 关注 下载文章
绑定账号成功
后续可登录账号畅享VIP特权!
如果VIP功能使用有故障,
可点击这里联系客服!

联系客服