eval.txt ForVim version 9.1. Last change: 2025 Apr 02VIM REFERENCE MANUAL by Bram MoolenaarExpression evaluationexpressionexprE15evalE1002Using expressionsis introduced in chapter 41 of the user manualusr_41.txt.Note: Expression evaluation can be disabledat compile time. If this has beendone, the features in this document are not available. See+eval andno-eval-feature.This fileis mainly about the backwards compatible (legacy) Vim script. Forspecifics ofVim9 script, which can execute much faster, supports typechecking and much more, seevim9.txt. Where thesyntax or semantics differa remarkis given.1. Variablesvariables 1.1 Variable types 1.2 Function referencesFuncref 1.3ListsLists 1.4TuplesTuples 1.5DictionariesDictionaries 1.6BlobsBlobs 1.7 More aboutvariablesmore-variables2. Expressionsyntaxexpression-syntax3. Internal variableinternal-variables4. Builtin Functionsfunctions5. Definingfunctionsuser-functions6. Curly braces namescurly-braces-names7. Commandsexpression-commands8. Exception handlingexception-handling9. Exampleseval-examples10. Vimscript versionvimscript-version11. No+eval featureno-eval-feature12. Thesandboxeval-sandbox13. Textlocktextlock14. Vimscript libraryvim-script-libraryTesting supportis documented intesting.txt.Profilingis documentedatprofiling.==============================================================================1. Variablesvariables1.1 Variable typesE712E896E897E899E1098E1107E1135E1138E1523There are eleven types of variables:NumberIntegerNumberA 32 or 64 bit signed number.expr-numberThe number of bitsis available inv:numbersize.Examples: -123 0x10 0177 0o177 0b1011FloatA floating point number.floating-point-formatFloatExamples: 123.456 1.15e-6 -1.1e3StringA NUL terminatedstring of 8-bit unsigned characters (bytes).expr-string Examples: "ab\txx\"--" 'x-z''a,c'ListAn ordered sequence of items, seeList for details.Example: [1, 2, ['a', 'b']]TupleAn ordered immutable sequence of items, seeTuple fordetails.Example: (1, 2, ('a', 'b'))DictionaryAn associative, unordered array: Each entry hasa key andavalue.DictionaryExamples:{'blue': "#0000ff", 'red': "#ff0000"}#{blue: "#0000ff", red: "#ff0000"}FuncrefAreference toa functionFuncref.Example: function("strlen")It can be bound toa dictionary and arguments,it then workslikea Partial.Example: function("Callback",[arg], myDict)Specialv:false,v:true,v:none andv:null.SpecialJobUsed fora job, seejob_start().JobJobsChannelUsed fora channel, seech_open().ChannelChannelsBlobBinary Large Object. Stores any sequence of bytes. SeeBlobfor detailsExample: 0zFF00ED015DAF0zis an empty Blob.TheNumber andString types are converted automatically, depending on how theyare used.Conversion fromaNumber toaStringis by making the ASCII representation ofthe Number. Examples:Number 123-->String "123"Number 0-->String "0"Number -1-->String "-1"octalConversion fromaString toaNumber only happens in legacy Vim script, not inVim9 script. Itis done by converting the first digits toa number.Hexadecimal "0xf9", Octal "017" or "0o17", and Binary "0b10"numbers are recognizedNOTE: when usingVim9script orscriptversion-4octal witha leading "0"is not recognized. The0onotation requires patch 8.2.0886.If theString doesn't start with digits, the resultis zero.Examples:String "456"-->Number 456String "6bar"-->Number 6String "foo"-->Number 0String "0xf1"-->Number 241String "0100"-->Number 64String "0o100"-->Number 64String "0b101"-->Number 5String "-8"-->Number -8String "+8"-->Number 0To force conversion fromString to Number, add zero to it::echo "0100" + 064To avoida leading zero to causeoctal conversion, or for usinga differentbase, usestr2nr().TRUEFALSEBooleanForboolean operators Numbers are used. Zerois FALSE, non-zerois TRUE.You can also usev:false andv:true, inVim9scriptfalse andtrue.WhenTRUEis returned froma functionitis theNumber one,FALSEis thenumber zero.Note that in the command::if "foo":" NOT executed"foo"is converted to 0, which means FALSE. If thestring starts withanon-zero numberit means TRUE::if "8foo":" executedTo test fora non-empty string, use empty()::if !empty("foo")falsytruthyAnexpression can be usedasa condition, ignoring the type and only usingwhether the valueis "sort oftrue" or "sort offalse". Falsy is:the number zeroempty string, blob,list or dictionaryOther values are truthy. Examples:0falsy1truthy-1truthy0.0falsy0.1truthy''falsy'x'truthy[]falsy[0]truthy{}falsy#{x: 1}truthy0zfalsy0z00truthynon-zero-argFunction arguments often behave slightly different fromTRUE: If theargumentis present andit evaluates toa non-zero Number,v:true oranon-empty String, then the valueis considered to be TRUE.Note that " " and "0" are also non-empty strings, thus considered to be TRUE.A List,Dictionary orFloatis notaNumber or String, thus evaluate to FALSE.E611E745E728E703E729E730E731E908E910E913E974E975E976E1319E1320E1321E1322E1323E1324E1520E1522List,Tuple,Dictionary,Funcref,Job,Channel,Blob,Classandobject types are not automatically converted.E805E806E808When mixingNumber andFloat theNumberis converted to Float. Otherwisethereis no automatic conversion of Float. You can usestr2float() forStringto Float,printf() forFloat toString andfloat2nr() forFloat to Number.E362E891E892E893E894E907E911E914E1521When expectingaFloataNumber can also be used, but nothing else.no-type-checkingYou will not get an error if you try to change the type ofa variable.1.2 Function referencesFuncrefE695E718E1192AFuncref variableis obtained with thefunction() function, thefuncref()function, (inVim9 script) the name ofa function, or created with thelambdaexpressionexpr-lambda. It can be used in anexpression in the placeofa function name, before the parenthesis around the arguments, to invoke thefunctionit refers to. Example inVim9 script::var Fn = MyFunc:echo Fn()Legacy script::let Fn = function("MyFunc"):echo Fn()E704E705E707AFuncref variablemust start witha capital, "s:", "w:", "t:" or "b:". Youcan use "g:" but the following namemust still start witha capital. Youcannot have bothaFuncref variable anda function with the same name.A specialcaseis defininga function and directly assigning itsFuncref toaDictionary entry. Example::function dict.init() dict: let self.val = 0:endfunctionThe key of theDictionary can start witha lowercase letter. The actualfunction nameis not used here. Also seenumbered-function.AFuncref can also be used with the:call command::call Fn():call dict.init()The name of the referenced function can be obtained withstring().:let func = string(Fn)You can usecall() to invokeaFuncref and usealist variable for thearguments::let r = call(Fn, mylist)PartialAFuncref optionally bindsaDictionary and/or arguments. Thisis also calleda Partial. Thisis created by passing theDictionary and/or arguments tofunction() or funcref(). When calling the function theDictionary and/orarguments will be passed to the function. Example:let Cb = function('Callback', ['foo'], myDict)call Cb('bar')This will invoke the functionas if using:call myDict.Callback('foo', 'bar')Thisis very useful when passinga function around, e.g. in the arguments ofch_open().Note that bindinga function toaDictionary also happens when the functionisa member of the Dictionary:let myDict.myFunction = MyFunctioncall myDict.myFunction()Here MyFunction() will get myDict passedas "self". This happens when the"myFunction" memberis accessed. When making assigning "myFunction" tootherDict and calling it,it will be bound to otherDict:let otherDict.myFunction = myDict.myFunctioncall otherDict.myFunction()Now "self" will be "otherDict". But when the dictionary was bound explicitlythis won't happen:let myDict.myFunction = function(MyFunction, myDict)let otherDict.myFunction = myDict.myFunctioncall otherDict.myFunction()Here "self" will be "myDict", becauseit was bound explicitly.1.3 ListslistListListsE686AListis an ordered sequence of items. An item can be of any type. Itemscan be accessed by theirindex number. Items can be added and removedat anyposition in the sequence.List creationE696E697AListis created witha comma-separated sequence of items in square brackets.Examples::let mylist = [1, "two", 3, "four"]:let emptylist = []An item can be any expression. UsingaList for an item createsaList of Lists::let nestlist = [[11, 12], [21, 22], [31, 32]]An extra comma after the last itemis ignored.List indexlist-indexE684An item in theList can be accessed by putting theindex in square bracketsafter the List. Indexes are zero-based, thus the first item hasindex zero.:let item = mylist[0]" get the first item: 1:let item = mylist[2]" get the third item: 3When the resulting itemisalist this can be repeated::let item = nestlist[0][1]" get the first list, second item: 12A negativeindexis counted from the end. Index -1 refers to the last item inthe List, -2 to the last but one item, etc.:let last = mylist[-1]" get the last item: "four"To avoid an error for an invalidindex use theget() function. When an itemis not availableit returns zero or the default value you specify::echo get(mylist, idx):echo get(mylist, idx, "NONE")List concatenationlist-concatenationTwo lists can be concatenated with the "+" operator::let longlist = mylist + [5, 6]:let longlist = [5, 6] + mylistTo prepend or append an item, turnit intoalist by putting[] around it.Alist can be concatenated with another one in-place using:let+= orextend()::let mylist += [7, 8]:call extend(mylist, [7, 8])Seelist-modification below for more aboutchangingalist in-place.SublistsublistA part of theList can be obtained by specifying the first and last index,separated bya colon in square brackets::let shortlist = mylist[2:-1]" get List [3, "four"]Omitting the firstindexis similar to zero. Omitting the lastindexissimilar to -1.:let endlist = mylist[2:]" from item 2 to the end: [3, "four"]:let shortlist = mylist[2:2]" List with one item: [3]:let otherlist = mylist[:]" make a copy of the ListNotice that the lastindexis inclusive. If you prefer using anexclusiveindex use theslice() function.If the firstindexis beyond the last item of theList or the lastindexisbefore the first item, the resultis an empty list. Thereis no errormessage.If the lastindexis equal to or greater than the length of thelist thelength minus oneis used::let mylist = [0, 1, 2, 3]:echo mylist[2:8]" result: [2, 3]NOTE: mylist[s:e] means using the variable "s:e"as index. Watch out forusinga singleletter variable before the ":".Insertaspace when needed:mylist[s: e].List identitylist-identityWhen variable "aa"isalist and you assignit to another variable "bb", bothvariables refer to the same list. Thuschanging thelist "aa" will alsochange "bb"::let aa = [1, 2, 3]:let bb = aa:call add(aa, 4):echo bb[1, 2, 3, 4]Makinga copy ofalistis done with thecopy() function. Using [:] alsoworks,as explained above. This createsa shallow copy of the list: Changingalist item in thelist will also change the item in the copied list::let aa = [[1, 'a'], 2, 3]:let bb = copy(aa):call add(aa, 4):let aa[0][1] = 'aaa':echo aa[[1, aaa], 2, 3, 4]:echo bb[[1, aaa], 2, 3]To makea completely independentlist usedeepcopy(). This also makesacopy of the values in the list, recursively. Up toa hundred levels deep.Theoperator "is" can be used to check if twovariables refer to the sameList. "isnot" does the opposite. In contrast "==" compares if two lists havethe same value.:let alist = [1, 2, 3]:let blist = [1, 2, 3]:echo alist is blist0:echo alist == blist1Note about comparing lists: Two lists are considered equal if they have thesame length and all items compare equal,as with using "==". Thereis oneexception: When comparinga number withastring they are considereddifferent. Thereis no automatic type conversion,as with using "==" onvariables. Example:echo 4 == "4"1echo [4] == ["4"]0Thus comparingListsis more strict than comparing numbers and strings. Youcan compare simple values this way too by putting them ina list::let a = 5:let b = "5":echo a == b1:echo [a] == [b]0List unpackTo unpack the items inalist to individual variables,put thevariables insquare brackets, likelist items::let [var1, var2] = mylistWhen the number ofvariables does not match the number of items in thelistthis produces an error. To handle any extra items from thelist append ";"anda variable name::let [var1, var2; rest] = mylistThis works like::let var1 = mylist[0]:let var2 = mylist[1]:let rest = mylist[2:]Except that thereis no error if there are only two items. "rest" will be anemptylist then.List modificationlist-modificationTo changea specific item ofalist use:let this way::let list[4] = "four":let listlist[0][3] = itemTo change part ofalist you can specify the first and last item to bemodified. The valuemustat least have the number of items in the range::let list[3:5] = [3, 4, 5]To add items toaList in-place, you can use:let+=(list-concatenation)::let listA = [1, 2]:let listA += [3, 4]When twovariables refer to the same List,changing oneList in-place willcause the referencedList to be changed in-place::let listA = [1, 2]:let listB = listA:let listB += [3, 4]:echo listA[1, 2, 3, 4]Adding and removing items fromalistis done with functions. Here area fewexamples::call insert(list, 'a')" prepend item 'a':call insert(list, 'a', 3)" insert item 'a' before list[3]:call add(list, "new")" append String item:call add(list, [1, 2])" append a List as one new item:call extend(list, [1, 2])" extend the list with two more items:let i = remove(list, 3)" remove item 3:unlet list[3]" idem:let l = remove(list, 3, -1)" remove items 3 to last item:unlet list[3 : ]" idem:call filter(list, 'v:val !~ "x"') " remove items with an 'x'Changing the order of items ina list::call sort(list)" sort a list alphabetically:call reverse(list)" reverse the order of items:call uniq(sort(list))" sort and remove duplicatesFor loopThe:for loop executes commands for each item ina List, Tuple,String orBlob.A variableis set to each item in sequence. Example witha List::for item in mylist: call Doit(item):endforThis works like::let index = 0:while index < len(mylist): let item = mylist[index]: :call Doit(item): let index = index + 1:endwhileIf all you want todois modify each item in thelist then themap()function will bea simplermethod thana for loop.Just like the:let command,:for also acceptsalist of variables. Thisrequires the argument to beaList of Lists.:for [lnum, col] in [[1, 3], [2, 8], [3, 0]]: call Doit(lnum, col):endforThis works likea:let commandis done for eachlist item. Again, the typesmust remain the same to avoid an error.Itis also possible toput remaining items inaList variable::for [i, j; rest] in listlist: call Doit(i, j): if !empty(rest): echo "remainder: " .. string(rest): endif:endforForaTuple onetuple itemata timeis used.ForaBlob one byteata timeis used.ForaString one character, including any composing characters,is usedasaString. Example:for c in text echo 'This character is ' .. cendforList functionsE714Functions that are useful witha List::let r = call(funcname, list)" call a function with an argument list:if empty(list)" check if list is empty:let l = len(list)" number of items in list:let big = max(list)" maximum value in list:let small = min(list)" minimum value in list:let xs = count(list, 'x')" count nr of times 'x' appears in list:let i = index(list, 'x')" index of first 'x' in list:let lines = getline(1, 10)" get ten text lines from buffer:call append('$', lines)" append text lines in buffer:let list = split("a b c")" create list from items in a string:let string = join(list, ', ')" create string from list items:let s = string(list)" String representation of list:call map(list, '">> " .. v:val') " prepend ">> " to each itemDon't forget thata combination of features can make things simple. Forexample, to add up all the numbers ina list::exe 'let sum = ' .. join(nrlist, '+')1.4 TuplestupleTupleTuplesE1532E1533ATupleis an ordered sequence of items. An item can be of any type. Itemscan be accessed by theirindex number.ATupleis immutable.ATupleis similar toaList but usesless memory and provides O(1) lookuptime for an item.Tuple creationE1526E1527ATupleis created witha comma-separated sequence of items in parentheses.Examples::let mytuple = (1, "two", 3, "four"):let tuple = (5,):let emptytuple = ()An item can be any expression. If thereis only one item in the tuple, thenthe itemmust be followed bya comma.UsingaTuple for an item createsaTuple of Tuples::let nesttuple = ((11, 12), (21, 22), (31, 32))Tuple indextuple-indexE1519An item in theTuple can be accessed by putting theindex in square bracketsafter the Tuple. Indexes are zero-based, thus the first item hasindex zero.:let item = mytuple[0]" get the first item: 1:let item = mytuple[2]" get the third item: 3When the resulting itemisatuple this can be repeated::let item = nesttuple[0][1]" get the first tuple, second item: 12A negativeindexis counted from the end. Index -1 refers to the last item inthe Tuple, -2 to the last but one item, etc.:let last = mytuple[-1]" get the last item: "four"To avoid an error for an invalidindex use theget() function. When an itemis not availableit returns zero or the default value you specify::echo get(mytuple, idx):echo get(mytuple, idx, "NONE")Tuple modificationtuple-modificationAtupleis immutable and items cannot be added or removed froma tuple. ButList andDict items withinatuple can be modified::let tuple = (1, [2, 3], {'a': 4}):let tuple[1][0] = 10:let tuple[2]['a'] = 20Tuple concatenationtuple-concatenationTwo tuples can be concatenated with the "+" operator::let longtuple = mytuple + (5, 6):let longtuple = (5, 6) + mytupleTo prepend or append an item, turnit intoatuple by putting () around it.The itemmust be followed bya comma.E1540Two variadic tuples with same item type can be concatenated but with differentitem types cannot be concatenated. Examples: var a: tuple<...list<number>> = (1, 2) var b: tuple<...list<string>> = ('a', 'b') echo a + b# not allowed var a: tuple<number, number> = (1, 2) var b: tuple<...list<string>> = ('a', 'b') echo a + b# allowed var a: tuple<...list<number>> = (1, 2) var b: tuple<number, number> = (3, 4) echo a + b# not allowed var a: tuple<...list<number>> = (1, 2) var b: tuple<number, ...list<number>> = (3, 4) echo a + b# not allowedNote thatatupleis immutable and items cannot be added or removed fromatuple.SubtuplesubtupleA part of theTuple can be obtained by specifying the first and last index,separated bya colon in square brackets::let shorttuple = mytuple[2:-1]" get Tuple (3, "four")Omitting the firstindexis similar to zero. Omitting the lastindexissimilar to -1.:let endtuple = mytuple[2:]" from item 2 to the end: (3, "four"):let shorttuple = mytuple[2:2]" Tuple with one item: (3,):let othertuple = mytuple[:]" make a copy of the TupleNotice that the lastindexis inclusive. If you prefer using anexclusiveindex, use theslice() function.If the firstindexis beyond the last item of theTuple or the lastindexisbefore the first item, the resultis an empty tuple. Thereis no errormessage.If the lastindexis equal to or greater than the length of the tuple, thelength minus oneis used::let mytuple = (0, 1, 2, 3):echo mytuple[2:8]" result: (2, 3)NOTE: mytuple[s:e] means using the variable "s:e"as index. Watch out forusinga singleletter variable before the ":".Insertaspace when needed:mytuple[s: e].Tuple identitytuple-identityWhen variable "aa"isatuple and you assignit to another variable "bb", bothvariables refer to the same tuple::let aa = (1, 2, 3):let bb = aaMakinga copy ofatupleis done with thecopy() function. Using [:] alsoworks,as explained above. This createsa shallow copy of the tuple: Forexample,changingalist item in thetuple will also change the item in thecopied tuple::let aa = ([1, 'a'], 2, 3):let bb = copy(aa):let aa[0][1] = 'aaa':echo aa([1, aaa], 2, 3):echo bb([1, aaa], 2, 3)To makea completely independent tuple, usedeepcopy(). This also makesacopy of the values in the tuple, recursively. Up toa hundred levels deep.Theoperator "is" can be used to check if twovariables refer to the sameTuple. "isnot" does the opposite. In contrast, "==" compares if two tupleshave the same value.:let atuple = (1, 2, 3):let btuple = (1, 2, 3):echo atuple is btuple0:echo atuple == btuple1Note about comparing tuples: Two tuples are considered equal if they have thesame length and all items compare equal,as with using "==". Thereis oneexception: When comparinga number withastring they are considereddifferent. Thereis no automatic type conversion,as with using "==" onvariables. Example:echo 4 == "4"1echo (4,) == ("4",)0Thus comparingTuplesis more strict than comparing numbers and strings. Youcan compare simple values this way too by putting them ina tuple::let a = 5:let b = "5":echo a == b1:echo (a,) == (b,)0Tuple unpackTo unpack the items inatuple to individual variables,put thevariables insquare brackets, likelist items::let [var1, var2] = mytupleWhen the number ofvariables does not match the number of items in thetuplethis produces an error. To handle any extra items from the tuple, append ";"anda variable name (which will then be of type tuple)::let [var1, var2; rest] = mytupleThis works like::let var1 = mytuple[0]:let var2 = mytuple[1]:let rest = mytuple[2:]Except that thereis no error if there are only two items. "rest" will be anemptytuple then.Tuple functionsE1536Functions that are useful witha Tuple::let xs = count(tuple, 'x')" count number of 'x's in tuple:if empty(tuple)" check if tuple is empty:let i = index(tuple, 'x')" index of first 'x' in tuple:let l = items(tuple)" list of items in a tuple:let string = join(tuple, ', ')" create string from tuple items:let l = len(tuple)" number of items in tuple:let big = max(tuple)" maximum value in tuple:let small = min(tuple)" minimum value in tuple:let r = repeat(tuple, n)" repeat a tuple n times:let r = reverse(tuple)" reverse a tuple:let s = slice(tuple, n1, n2)" slice a tuple:let s = string(tuple)" String representation of tuple:let l = tuple2list(tuple)" convert a tuple to list:let t = list2tuple(list)" convert a list to tupleE1524Atuple cannot be used with themap(),mapnew() andfilter() functions.1.5 DictionariesdictDictDictionariesDictionaryADictionaryis an associative array: Each entry hasa key anda value. Theentry can be located with the key. The entries are stored withouta specificordering.Dictionary creationE720E721E722E723ADictionaryis created witha comma-separated sequence of entries in curlybraces. Each entry hasa key anda value, separated bya colon. Each key canonly appear once. Examples::let mydict = {'one': 1, 'two': 2, 'three': 3}:let emptydict = {}E713E716E717A keyis alwaysa String. You can usea Number,it will be converted toaString automatically. Thus theString '4' and the number 4 will find the sameentry.Note that theString '04' and theNumber 04 are different, since theNumber will be converted to theString '4', leading zeros are dropped. Theemptystring can also be usedasa key.InVim9scripta literal key can be used ifit consists only of alphanumericcharacters, underscore and dash, seevim9-literal-dict.literal-Dict#{}To avoid having toputquotes around every key the#{} form can be used inlegacy script. This does require the key to consist only of ASCII letters,digits, '-' and '_'. Example::let mydict = #{zero: 0, one_key: 1, two-key: 2, 333: 3}Note that 333 hereis thestring "333". Empty keys are not possible with #{}.InVim9script the#{} form cannot be used becauseit can be confused withthe start ofa comment.A value can be any expression. UsingaDictionary fora value createsanested Dictionary::let nestdict = {1: {11: 'a', 12: 'b'}, 2: {21: 'c'}}An extra comma after the last entryis ignored.Accessing entriesThe normal way to access an entryis by putting the key in square brackets::let mydict = {'one': 1, 'two': 2, 'three': 3}:let val = mydict["one"]:let mydict["four"] = 4:let val = mydict.one:let mydict.four = 4You can add new entries to an existingDictionary this way, unlike Lists.For keys that consist entirely of letters, digits and underscore the followingform can be usedexpr-entry::let val = mydict.one:let mydict.four = 4Since an entry can be any type, alsoaList anda Dictionary, the indexing andkey lookup can be repeated::echo dict.key[idx].keyDictionary to List conversionYou may want to loop over the entries ina dictionary. For this you need toturn theDictionary intoaList and passit to:for.Most often you want to loop over the keys, using thekeys() function::for key in keys(mydict): echo key .. ': ' .. mydict[key]:endforTheList of keysis unsorted. You may want to sort them first::for key in sort(keys(mydict))To loop over the values use thevalues() function::for v in values(mydict): echo "value: " .. v:endforIf you want both the key and the value use theitems() function. It returnsaList in which each itemisaList with two items, the key and the value::for [key, value] in items(mydict): echo key .. ': ' .. value:endforDictionary identitydict-identityJust likeLists you need to usecopy() anddeepcopy() to makea copy ofaDictionary. Otherwise, assignment results in referring to the sameDictionary::let onedict = {'a': 1, 'b': 2}:let adict = onedict:let adict['a'] = 11:echo onedict['a']11TwoDictionaries compare equal if all the key-value pairs compare equal. Formore info seelist-identity.Dictionary modificationdict-modificationTo change an already existing entry ofa Dictionary, or to adda new entry,use:let this way::let dict[4] = "four":let dict['one'] = itemRemoving an entry fromaDictionaryis done withremove() or:unlet.Three ways to remove the entry with key "aaa" from dict::let i = remove(dict, 'aaa'):unlet dict.aaa:unlet dict['aaa']MergingaDictionary with anotheris done withextend()::call extend(adict, bdict)Thisextends adict with all entries from bdict. Duplicate keys cause entriesin adict to be overwritten. An optional third argument can change this.Note that the order of entries inaDictionaryis irrelevant, thus don'texpect ":echo adict" to show the items from bdict after the older entries inadict.Weeding out entries fromaDictionary can be done withfilter()::call filter(dict, 'v:val =~ "x"')This removes all entries from "dict" witha value not matching 'x'.This can also be used to remove all entries:call filter(dict, 0)In some situationsitis not allowed to remove or add entries toa Dictionary.Especially when iterating over all the entries. You will getE1313 oranother error in that case.Dictionary functionDictionary-functionselfE725E862Whena functionis defined with the "dict" attributeit can be used inaspecial way witha dictionary. Example::function Mylen() dict: return len(self.data):endfunction:let mydict = {'data': [0, 1, 2, 3], 'len': function("Mylen")}:echo mydict.len()Thisis likeamethod inobject oriented programming. The entry in theDictionaryisaFuncref. The local variable "self" refers to the dictionarythe function was invoked from. When usingVim9script you can use classesand objects, see:class.Itis also possible to adda function without the "dict" attributeasaFuncref toa Dictionary, but the "self" variableis not available then.numbered-functionanonymous-functionTo avoid the extra name for the functionit can be defined and directlyassigned toaDictionary in this way::let mydict = {'data': [0, 1, 2, 3]}:function mydict.len(): return len(self.data):endfunction:echo mydict.len()The function will then geta number and the value of dict.lenisaFuncrefthat references this function. The function can only be used throughaFuncref. It will automatically be deleted when thereis noFuncrefremaining that refers to it.Itis not necessary to use the "dict" attribute fora numbered function.If you get an error fora numbered function, you can find out whatitis witha trick. Assuming the functionis 42, the command is::function g:42Functions for DictionariesE715Functions that can be used witha Dictionary::if has_key(dict, 'foo')" TRUE if dict has entry with key "foo":if empty(dict)" TRUE if dict is empty:let l = len(dict)" number of items in dict:let big = max(dict)" maximum value in dict:let small = min(dict)" minimum value in dict:let xs = count(dict, 'x')" count nr of times 'x' appears in dict:let s = string(dict)" String representation of dict:call map(dict, '">> " .. v:val') " prepend ">> " to each item1.6 BlobsblobBlobBlobsE978ABlobisa binary object. It can be used to read an image froma file andsendit overa channel, for example.ABlob mostly behaves likeaList of numbers, where each number has thevalue of an 8-bit byte, from0 to 255.Blob creationABlob can be created withablob-literal::let b = 0zFF00ED015DAFDots can be inserted between bytes (pair of hex characters) for readability,they don't change the value::let b = 0zFF00.ED01.5DAFAblob can be read froma file withreadfile() passing the{type} argumentset to "B", for example::let b = readfile('image.png', 'B')Ablob can be read fromachannel with thech_readblob() function.Blob indexblob-indexE979A byte in theBlob can be accessed by putting theindex in square bracketsafter the Blob. Indexes are zero-based, thus the first byte hasindex zero.:let myblob = 0z00112233:let byte = myblob[0]" get the first byte: 0x00:let byte = myblob[2]" get the third byte: 0x22A negativeindexis counted from the end. Index -1 refers to the last byte inthe Blob, -2 to the last but one byte, etc.:let last = myblob[-1]" get the last byte: 0x33To avoid an error for an invalidindex use theget() function. When an itemis not availableit returns -1 or the default value you specify::echo get(myblob, idx):echo get(myblob, idx, 999)Blob iterationThe:for loop executes commands for each byte ofa Blob. The loop variableisset to each byte in the Blob. Example::for byte in 0z112233: call Doit(byte):endforThis calls Doit() with 0x11, 0x22 and 0x33.Blob concatenationblob-concatenationTwo blobs can be concatenated with the "+" operator::let longblob = myblob + 0z4455:let longblob = 0z4455 + myblobAblob can be concatenated with another one in-place using:let+=::let myblob += 0z6677Seeblob-modification below for more aboutchangingablob in-place.Part of a blobA part of theBlob can be obtained by specifying the first and last index,separated bya colon in square brackets::let myblob = 0z00112233:let shortblob = myblob[1:2]" get 0z1122:let shortblob = myblob[2:-1]" get 0z2233Omitting the firstindexis similar to zero. Omitting the lastindexissimilar to -1.:let endblob = myblob[2:]" from item 2 to the end: 0z2233:let shortblob = myblob[2:2]" Blob with one byte: 0z22:let otherblob = myblob[:]" make a copy of the BlobIf the firstindexis beyond the last byte of theBlob or the secondindexisbefore the first index, the resultis an empty Blob. Thereis no errormessage.If the secondindexis equal to or greater than the length of thelist thelength minus oneis used::echo myblob[2:8]" result: 0z2233Blob modificationblob-modificationE1184To changea specific byte ofablob use:let this way::let blob[4] = 0x44When theindexis just one beyond theend of the Blob,itis appended. Anyhigherindexis an error.To changea sequence of bytes the [:]notation can be used:let blob[1:3] = 0z445566The length of the replaced bytesmust be exactly the sameas the valueprovided.E972To change part ofablob you can specify the first and last byte to bemodified. The valuemust have the same number of bytes in the range::let blob[3:5] = 0z334455To add items toaBlob in-place, you can use:let+=(blob-concatenation)::let blobA = 0z1122:let blobA += 0z3344When twovariables refer to the same Blob,changing oneBlob in-place willcause the referencedBlob to be changed in-place::let blobA = 0z1122:let blobB = blobA:let blobB += 0z3344:echo blobA0z11223344You can also use thefunctionsadd(),remove() andinsert().Blob identityBlobs can be compared for equality:if blob == 0z001122And for equal identity:if blob is otherblobblob-identityE977When variable "aa"isaBlob and you assignit to another variable "bb", bothvariables refer to the same Blob. Then the "is"operator returns true.When makinga copy using [:] orcopy() the values are the same, but theidentityis different::let blob = 0z112233:let blob2 = blob:echo blob == blob21:echo blob is blob21:let blob3 = blob[:]:echo blob == blob31:echo blob is blob30Makinga copy ofaBlobis done with thecopy() function. Using [:] alsoworks,as explained above.1.7 More about variablesmore-variablesIf you need to know the type ofa variable or expression, use thetype()function.When the '!' flagis included in the'viminfo' option, globalvariables thatstart with anuppercase letter, and don't containalowercase letter, arestored in theviminfo fileviminfo-file.When the'sessionoptions' option contains "global", globalvariables thatstart with anuppercaseletter and containat least onelowercaseletter arestored in the session filesession-file.variable namecan be stored wheremy_var_6notMy_Var_6session fileMY_VAR_6viminfo fileIn legacyscriptitis possible to forma variable name with curly braces, seecurly-braces-names.==============================================================================2. Expressionsyntaxexpression-syntaxE1143Expressionsyntax summary, from least to most significant:expr1expr2expr2?expr1:expr1if-then-elseexpr2expr3expr3 ||expr3...logical ORexpr3expr4expr4 &&expr4...logical ANDexpr4expr5expr5==expr5equalexpr5 !=expr5not equalexpr5>expr5greater thanexpr5 >=expr5greater than or equalexpr5<expr5smaller thanexpr5 <=expr5smaller than or equalexpr5 =~expr5regexp matchesexpr5 !~expr5regexp doesn't matchexpr5 ==?expr5equal, ignoringcaseexpr5 ==#expr5equal, matchcaseetc.As above, append? for ignoring case,# formatchingcaseexpr5isexpr5sameList,Tuple,Dictionary orBlobinstanceexpr5 isnotexpr5differentList,Tuple,Dictionary orBlob instanceexpr5expr6expr6<<expr6bitwise leftshiftexpr6>>expr6bitwise rightshiftexpr6expr7expr7+expr7...number addition,list ortuple orblobconcatenationexpr7-expr7...number subtractionexpr7.expr7...string concatenationexpr7 ..expr7...string concatenationexpr7expr8expr8 *expr8...number multiplicationexpr8/expr8...number divisionexpr8%expr8...number moduloexpr8expr9<type>expr9type check and conversion(Vim9 only)expr9expr10!expr9logical NOT-expr9unary minus+expr9unary plusexpr10expr11expr10[expr1]byte ofaString or item ofaList orTupleexpr10[expr1: expr1]substring ofaString orsublist ofaListoraslice ofaTupleexpr10.nameentry inaDictionaryexpr10(expr1, ...)function call withFuncref variableexpr10->name(expr1, ...)method callexpr11 number number constant"string"string constant,backslashis special'string'string constant,'is doubled[expr1, ...]List(expr1, ...)Tuple{expr1: expr1, ...}Dictionary#{key: expr1, ...}legacyDictionary&optionoption value(expr1)nestedexpressionvariableinternal variableva{ria}bleinternal variable with curly braces$VARenvironment variable@rcontents ofregister 'r'function(expr1, ...)function callfunc{ti}on(expr1, ...)function call with curly braces{args -> expr1}legacylambdaexpression(args) =>expr1Vim9lambdaexpression"..." indicates that the operations in this level can be concatenated.Example:&nu || &list && &shell == "csh"All expressions within one level are parsed from left to right.Expression nestingis limited to 1000 levels deep (300 when build with MSVC)to avoid running out of stack and crashing.E1169expr1expr1ternaryfalsy-operator??E109-----Theternary operator:expr2?expr1:expr1Thefalsy operator:expr2??expr1Ternary operatorIn legacyscript theexpression before the '?'is evaluated toa number. Ifit evaluates toTRUE, the resultis the value of theexpression between the'?' and ':', otherwise the resultis the value of theexpression after the':'.InVim9script the firstexpressionmust evaluate toa boolean, seevim9-boolean.Example::echo lnum == 1 ? "top" : lnumSince the firstexpressionis an "expr2",it cannot contain another ?:. Theother two expressions can, thus allow for recursive use of ?:.Example::echo lnum == 1 ? "top" : lnum == 1000 ? "last" : lnumTo keep this readable, usingline-continuationis suggested::echo lnum == 1:\? "top":\: lnum == 1000:\? "last":\: lnumYou should alwaysputaspace before the ':', otherwiseit can be mistaken foruse ina variable suchas "a:1".Falsy operatorThisis also knownas the "null coalescingoperator", but that's toocomplicated, thus we just callit thefalsy operator.Theexpression before the '??'is evaluated. Ifit evaluates totruthy, thisis usedas the result. Otherwise theexpression after the '??'is evaluated and usedas the result. Thisis most useful to havea defaultvalue for anexpression that may result in zero or empty:echo theList ?? 'list is empty'echo GetName() ?? 'unknown'These are similar, but not equal:expr2 ?? expr1expr2 ? expr2 : expr1In the second line "expr2"is evaluated twice. And inVim9script the typeofexpr2 before "?"must bea boolean.expr2 andexpr3expr2expr3---------------expr3 ||expr3 ..logical ORexpr-barbarexpr4 &&expr4 ..logical ANDexpr-&&The "||" and "&&" operators take one argument on each side.In legacyscript the arguments are (converted to) Numbers.InVim9script the valuesmust be boolean, seevim9-boolean. Use "!!" toconvert any type toa boolean.The result is: input outputn1n2n1 || n2n1 && n2FALSEFALSEFALSEFALSEFALSETRUETRUEFALSETRUEFALSETRUEFALSETRUETRUETRUETRUEThe operators can be concatenated, for example:&nu || &list && &shell == "csh"Note that "&&" takes precedence over "||", so this has the meaning of:&nu || (&list && &shell == "csh")Once the resultis known, theexpression "short-circuits", that is, furtherarguments are not evaluated. Thisis like what happens in C. For example:let a = 1echo a || bThisis valid even if thereis no variable called "b" because "a"isTRUE,so the resultmust beTRUE. Similarly below:echo exists("b") && b == "yes"Thisis valid whether "b" has been defined or not. The second clause willonly be evaluated if "b" has been defined.expr4expr4E1153-----expr5{cmp}expr5Compare twoexpr5 expressions. In legacyscript the resultisa0 ifitevaluates to false, or 1 ifit evaluates to true. InVim9script the resultistrue orfalse.expr-==expr-!=expr->expr->=expr-<expr-<=expr-=~expr-!~expr-==#expr-!=#expr->#expr->=#expr-<#expr-<=#expr-=~#expr-!~#expr-==?expr-!=?expr->?expr->=?expr-<?expr-<=?expr-=~?expr-!~?expr-isexpr-isnotexpr-is#expr-isnot#expr-is?expr-isnot?E1072use 'ignorecase' match case ignore caseequal====#==?not equal!=!=#!=?greater than>>#>?greater than or equal>=>=#>=?smaller than<<#<?smaller than or equal<=<=#<=?regexp matches=~=~#=~?regexp doesn't match!~!~#!~?same instanceisis#is?different instanceisnotisnot#isnot?Examples:"abc" ==# "Abc" evaluates to0"abc" ==? "Abc" evaluates to 1"abc"== "Abc" evaluates to 1 if'ignorecase'is set,0 otherwiseNOTE: InVim9script'ignorecase'is not used.E691E692E1517E1518AList can only be compared withaList and only "equal", "not equal","is" and "isnot" can be used. This compares the values of the list,recursively. Ignoringcase meanscaseis ignored when comparing item values.Same applies foraTuple.E735E736ADictionary can only be compared withaDictionary and only "equal", "notequal", "is" and "isnot" can be used. This compares the key/values of theDictionary recursively. Ignoringcase meanscaseis ignored when comparingitem values.E694AFuncref can only be compared withaFuncref and only "equal", "notequal", "is" and "isnot" can be used. Caseis never ignored. Whetherarguments oraDictionary are bound (witha partial) matters. TheDictionariesmust also be equal (or the same, incase of "is") and theargumentsmust be equal (or the same).To compare Funcrefs to see if they refer to the same function, ignoring boundDictionary and arguments, useget() to get the function name:if get(Part1, 'name') == get(Part2, 'name') " Part1 and Part2 refer to the same functionE1037Using "is" or "isnot" withaList,Tuple,Dictionary orBlob checkswhether the expressions are referring to the sameList,Tuple,Dictionary orBlob instance.A copy ofaList orTupleis differentfrom the originalList orTuple. When using "is" withoutaList,Tuple,Dictionary orBlob,itis equivalent to using "equal", using"isnot"is equivalent to using "not equal". Except thata different typemeans the values are different:echo 4 == '4'1echo 4 is '4'0echo 0 is []0"is#"/"isnot#" and "is?"/"isnot?" can be used to match and ignore case.InVim9script this doesn't work, two strings are never identical.In legacy script, when comparingaString witha Number, theStringisconverted toa Number, and the comparisonis done on Numbers. This meansthat:echo 0 == 'x'1because 'x' converted toaNumberis zero. However:echo [0] == ['x']0InsideaList orTuple orDictionary this conversionis not used.InVim9script the typesmust match.When comparing two Strings, thisis done with strcmp() or stricmp(). Thisresults in the mathematical difference (comparing byte values), notnecessarily the alphabetical difference in the local language.When using the operators witha trailing '#', or the short version and'ignorecase'is off, the comparingis done with strcmp():case matters.When using the operators witha trailing '?', or the short version and'ignorecase'is set, the comparingis done with stricmp():caseis ignored.'smartcase'is not used.The "=~" and "!~" operators match the lefthand argument with the righthandargument, whichis usedasa pattern. Seepattern for whatapattern is.This matchingis always done like'magic' was set and'cpoptions'is empty, nomatter what the actual value of'magic' or'cpoptions' is. This makes scriptsportable. To avoid backslashes in theregexppattern to be doubled, useasingle-quote string, seeliteral-string.Sinceastringis considered to bea single line,a multi-linepattern(containing \n, backslash-n) will not match. However,a literal NL charactercan be matched like an ordinary character. Examples:"foo\nbar" =~ "\n"evaluates to 1"foo\nbar" =~ "\\n"evaluates to0expr5expr5bitwise-shift-----expr6<<expr6bitwise leftshiftexpr-<<expr6>>expr6bitwise rightshiftexpr->>E1282E1283The "<<" and ">>" operators can be used to perform bitwise left or rightshiftof the left operand by the number of bits specified by the right operand. Theoperands are usedas positive numbers. When shifting right with ">>" thetopmost bit (sometimes called the sign bit)is cleared. If the right operand(shift amount)is more than the maximum number of bits ina number(v:numbersize) the resultis zero.expr6 andexpr7expr6expr7E1036E1051---------------expr-+expr7+expr7Number addition,List orTuple orBlob concatenationexpr7-expr7Number subtractionexpr--expr7.expr7String concatenationexpr-.expr7 ..expr7String concatenationexpr-..ForLists only "+"is possible and then bothexpr7must bea list. Theresultisa newlist with the two lists concatenated. Same foraTuple.ForString concatenation ".."is preferred, since "."is ambiguous,itis alsoused forDict member access and floating point numbers.InVim9script and whenvimscript-versionis 2 or higher, using "."is notallowed.InVim9script the arguments of ".." are converted toString for simpletypes: Number, Float,Special and Bool. For other typesstring() should beused.expr8 *expr8Number multiplicationexpr-starexpr8/expr8Number divisionexpr-/expr8%expr8Number moduloexpr-%In legacy script, for all operators except "." and "..", Strings are convertedto Numbers.For bitwise operators seeand(),or() andxor().Note the difference between "+" and ".." in legacy script:"123"+ "456"= 579"123" .. "456"= "123456"Since '..' has the same precedenceas '+' and '-', you need to read:1 .. 90 + 90.0As:(1 .. 90) + 90.0That works in legacy script, since theString "190"is automatically convertedto theNumber 190, which can be added to theFloat 90.0. However:1 .. 90 * 90.0Should be read as:1 .. (90 * 90.0)Since '..' has lower precedence than'*'. This does NOT work, since thisattempts to concatenateaFloat anda String.When dividingaNumber by zero the result depends on the value:0/0= -0x80000000(like NaN for Float) >0/0= 0x7fffffff(like positive infinity) <0/0= -0x7fffffff(like negative infinity)(before Vim 7.2it was always 0x7fffffff)InVim9script dividinga number by zerois an error.E1154When 64-bitNumber supportis enabled:0/0= -0x8000000000000000(like NaN for Float) >0/0= 0x7fffffffffffffff(like positive infinity) <0/0= -0x7fffffffffffffff(like negative infinity)When the righthand side of '%'is zero, the resultis 0.None of these work forFuncrefs.".", ".." and "%"do not work for Float.E804E1035expr8expr8-----<type>expr9Thisis only available inVim9 script, seetype-casting.expr9expr9-----!expr9logical NOTexpr-!-expr9unary minusexpr-unary--+expr9unary plusexpr-unary-+For '!'TRUE becomesFALSE,FALSE becomesTRUE (one).For '-' the sign of the numberis changed.For '+' the numberis unchanged.Note: "++" has no effect.In legacyscriptaString will be converted toaNumber first.Note that ifthestring does not start witha digit you likely don't get what you expect.InVim9script an erroris given when "-" or "+"is used and the typeis nota number.InVim9script "!" can be used for any type and the resultis alwaysaboolean. Use "!!" to convert any type toa boolean, according to whether thevalueisfalsy.These three can be repeated and mixed. Examples:!-1==0!!8== 1--9== 9expr10expr10------Thisexpressionis eitherexpr11 ora sequence of the alternatives below,in any order. E.g., these are all possible:expr10[expr1].nameexpr10.name[expr1]expr10(expr1, ...)[expr1].nameexpr10->(expr1, ...)[expr1]Evaluationis always from left to right.expr-[]E111expr10[expr1]item ofString orList orTupleE909subscriptE1062In legacy Vim script:Ifexpr10isaNumber orString this results inaString that contains theexpr1'th single byte from expr10.expr10is usedasaString (a numberisautomatically converted toa String),expr1asa Number. This doesn'trecognizemultibyte encodings, seebyteidx() for an alternative, or usesplit() to turn thestring intoalist of characters. Example, to get thebyte under the cursor::let c = getline(".")[col(".") - 1]InVim9 script:E1147E1148Ifexpr10isaString this results inaString that contains the expr1'thsingle character (including any composing characters) from expr10. To use byteindexes usestrpart().Index zero gives the first byte or character. Careful: text column numbersstart with one!If the length of theStringisless than the index, the resultis an emptyString.A negativeindex always results in an emptystring (reason: backwardcompatibility). Use [-1:] to get the last byte or character.InVim9scripta negativeindexis used like witha list:count from the end.Ifexpr10isaList thenit results the itematindex expr1. Seelist-indexfor possibleindex values. If theindexis out of range this results in anerror. Example::let item = mylist[-1]" get last itemGenerally, ifaListindexis equal to or higher than the length of theList, or more negative than the length of theList, this results in anerror.ATupleindexis similar toaListindexas explained above.expr10[expr1a: expr1b]substring orsublistexpr-[:]substringIfexpr10isaString this results in thesubstring with the bytes orcharacters from expr1a to and including expr1b.expr10is usedasa String,expr1a and expr1b are usedasa Number.In legacy Vimscript the indexes are byte indexes. This doesn't recognizemultibyte encodings, seebyteidx() for computing the indexes. Ifexpr10isaNumberitis first converted toa String.InVim9script the indexes are character indexes and include composingcharacters. To use byte indexes usestrpart(). To use character indexeswithout including composing characters usestrcharpart().The itematindex expr1bis included,itis inclusive. For anexclusiveindexuse theslice() function.If expr1ais omitted zerois used. If expr1bis omitted the length of thestring minus oneis used.A negative number can be used to measure from theend of the string. -1isthe last character, -2 the last but one, etc.If anindex goes out of range for thestring characters are omitted. Ifexpr1bis smaller than expr1a the resultis an empty string.Examples::let c = name[-1:]" last byte of a string:let c = name[0:-1]" the whole string:let c = name[-2:-2]" last but one byte of a string:let s = line(".")[4:]" from the fifth byte to the end:let s = s[:-3]" remove last two bytessliceIfexpr10isaList this results ina newList with the items indicated bythe indexes expr1a and expr1b. This works like witha String,as explainedjust above. Also seesublist below. Examples::let l = mylist[:3]" first four items:let l = mylist[4:4]" List with one item:let l = mylist[:]" shallow copy of a ListATuplesliceis similar toaList slice.Ifexpr10isaBlob this results ina newBlob with the bytes in theindexes expr1a and expr1b, inclusive. Examples::let b = 0zDEADBEEF:let bs = b[1:2]" 0zADBE:let bs = b[:]" copy of 0zDEADBEEFUsing expr10[expr1] or expr10[expr1a: expr1b] onaFuncref results in anerror.Watch out for confusion betweena namespace anda variable followed bya colonfora sublist:mylist[n:] " uses variable nmylist[s:] " uses namespace s:, error!expr10.nameentry inaDictionaryexpr-entryE1203E1229Ifexpr10isaDictionary anditis followed bya dot, then the followingname will be usedasa key in theDictionary. Thisis just like:expr10[name].The namemust consist of alphanumeric characters, just likea variable name,butit may start witha number. Curly braces cannot be used.Theremust not be whitespace before or after the dot.Examples::let dict = {"one": 1, 2: "two"}:echo dict.one" shows "1":echo dict.2" shows "two":echo dict .2" error because of space before the dotNote that the dotis also used forString concatenation. To avoid confusionalwaysput spaces around the dot forString concatenation.expr10(expr1, ...)Funcref function callE1085Whenexpr10isaFuncref type variable, invoke the functionit refers to.expr10->name([args])method callmethod->expr10->{lambda}([args])E260E276E1265For methods that are also availableas globalfunctions thisis the same as:name(expr10 [, args])There can also be methods specifically for the type of "expr10".This allows for chaining, passing the value that onemethod returns to thenext method:mylist->filter(filterexpr)->map(mapexpr)->sort()->join()Example of usinga lambda:GetPercentage()->{x -> x * 100}()->printf('%d%%')When using-> theexpr9 operators will be applied first, thus:-1.234->string()Is equivalent to:(-1.234)->string()And NOT:-(1.234->string())What comes after "->" can bea name,a simpleexpression (not containing anyparenthesis), or anyexpression in parentheses:base->name(args)base->some.name(args)base->alist[idx](args)base->(getFuncRef())(args)Note that in the last call the baseis passed to the function resulting from"(getFuncRef())", inserted before "args".E1275E274"->name("must not contain white space. There can be whitespace before the"->" and after the "(", thus you can split the lines like this:mylist\ ->filter(filterexpr)\ ->map(mapexpr)\ ->sort()\ ->join()When using thelambda form theremust be no whitespace between the} and the(.expr11number------numbernumber constantexpr-number0xhex-number0ooctal-numberbinary-numberDecimal, Hexadecimal (starting with0x or 0X), Binary (starting with 0b or 0B)and Octal (starting with 0,0o or 0O).Assuming 64 bit numbers are used (seev:numbersize) an unsigned numberistruncated to 0x7fffffffffffffff or 9223372036854775807. You can use -1 to get0xffffffffffffffff.floating-point-formatFloating point numbers can be written in two forms:[-+]{N}.{M}[-+]{N}.{M}[eE][-+]{exp}{N} and{M} are numbers. Both{N} and{M}must be present and can onlycontain digits, except that inVim9script in{N} singlequotes betweendigits are ignored.[-+] means thereis an optional plus or minus sign.{exp}is the exponent, power of 10.Onlya decimal pointis accepted, nota comma. No matter what the currentlocale is.Examples:123.456+0.000155.0-0.1231.234e031.0E-6-3.1416e+88These are INVALID:3.empty{M}1e40missing .{M}Rationale:Before floating point was introduced, the text "123.456" was interpretedasthe two numbers "123" and "456", both converted toastring and concatenated,resulting in thestring "123456". Since this was considered pointless, and wecould not findit intentionally being used in Vim scripts, this backwardsincompatibility was accepted in favor of being able to use the normalnotationfor floating point numbers.float-pifloat-eA few useful values to copy&paste::let pi = 3.14159265359:let e = 2.71828182846Or, if you don't want to write them inas floating-point literals, you canalso use functions, like the following::let pi = acos(-1.0):let e = exp(1.0)floating-point-precisionThe precision and range of floating points numbers depends on what "double"means in the library Vim was compiled with. Thereis no way to change thisatruntime.The default for displayingaFloatis to use 6 decimal places, like usingprintf("%g", f). You can select something else when using theprintf()function. Example::echo printf('%.15e', atan(1))7.853981633974483e-01stringstringStringexpr-stringE114------"string"string constantexpr-quoteNote that doublequotes are used.Astring constant accepts these special characters:\...three-digitoctal number (e.g., "\316")\..two-digitoctal number (must be followed by non-digit)\.one-digitoctal number (must be followed by non-digit)\x..byte specified with two hex numbers (e.g., "\x1f")\x.byte specified with one hex number (must be followed by non-hex char)\X..sameas \x..\X.sameas \x.\u....character specified with up to 4 hex numbers, stored according to thecurrent value of'encoding' (e.g., "\u02a4")\U....sameas \u but allows up to 8 hex numbers.\bbackspace<BS>\eescape<Esc>\fformfeed 0x0C\nnewline<NL>\rreturn<CR>\ttab<Tab>\\backslash\"doublequote\<xxx>Special key named "xxx". e.g. "\<C-W>" forCTRL-W. Thisis for usein mappings, the 0x80 byteis escaped.To use the doublequote characteritmust be escaped: "<M-\">".Don't use<Char-xxxx> to getaUTF-8 character, use \uxxxxasmentioned above.\<*xxx>Like \<xxx> but prependsa modifier instead of includingit in thecharacter. E.g. "\<C-w>"is one character 0x17 while "\<*C-w>"is fourbytes: 3 for the CTRL modifier and then character "W".Note that "\xff"is storedas the byte 255, which may be invalid in someencodings. Use "\u00ff" to store character 255 according to the current valueof'encoding'.Note that "\000" and "\x00" force theend of the string.blob-literalblob-literalE973------------Hexadecimalstarting with 0z or 0Z, with an arbitrary number of bytes.The sequencemust be an even number of hex characters. Example::let b = 0zFF00ED015DAFliteral-stringliteral-stringE115---------------'string'string constantexpr-'Note that singlequotes are used.Thisstringis takenasit is. No backslashes are removed or havea specialmeaning. The only exceptionis that twoquotes stand for onequote.Single quoted strings are useful for patterns, so that backslashesdo not needto be doubled. These two commands are equivalent:if a =~ "\\s*"if a =~ '\s*'interpolated-string$quoteinterpolated-string--------------------$"string"interpolatedstring constantexpr-$quote$'string'interpolated literalstring constantexpr-$'Interpolated strings are an extension of thestring andliteral-string,allowing theinclusion of Vimscript expressions (seeexpr1). Anyexpression returninga value can be enclosed between curly braces. The valueis converted toa string. All the text and results of the expressionsare concatenated to makea new string.E1278E1279To include an opening brace '{' or closing brace '}' in thestring contentdouble it. For double quoted strings usingabackslash also works.A singleclosing brace '}' will result in an error.Examples:let your_name = input("What's your name? ")What's your name? Peterechoecho $"Hello, {your_name}!"Hello, Peter!echo $"The square root of {{9}} is {sqrt(9)}"The square root of {9} is 3.0string-offset-encodingAstring consists of multiple characters. How the characters are storeddepends on'encoding'. Most commonis UTF-8, which uses one byte for ASCIIcharacters, two bytes for other latin characters and more bytes for othercharacters.Astring offset cancount characters or bytes. Other programs may useUTF-16 encoding (16-bit words) and an offset of UTF-16 words. Somefunctionsuse byte offsets, usually forUTF-8 encoding. Otherfunctions use characteroffsets, in whichcase the encoding doesn't matter.The different offsets for thestring "a©😊" are below:UTF-8 offsets: [0]: 61, [1]: C2, [2]: A9, [3]: F0, [4]: 9F, [5]: 98, [6]: 8A UTF-16 offsets: [0]: 0061, [1]: 00A9, [2]: D83D, [3]: DE0A UTF-32 (character) offsets: [0]: 00000061, [1]: 000000A9, [2]: 0001F60AYou can use the "g8" and "ga" commands ona character to see thedecimal/hex/octal values.Thefunctionsbyteidx(),utf16idx() andcharidx() can be used to convertbetween these indices. Thefunctionsstrlen(),strutf16len() andstrcharlen() return the number of bytes, UTF-16 code units and characters inastring respectively.optionexpr-optionE112E113------&optionoption value, local value if possible&g:optionglobal option value&l:optionlocal option valueExamples:echo "tabstop is " .. &tabstopif &insertmodeAny option name can be used here. Seeoptions. When using the local valueand thereis no buffer-local or window-local value, the global valueis usedanyway.registerexpr-register@r--------@rcontents ofregister 'r'The resultis the contents of the named register,asa single string.Newlines are inserted where required. To get the contents of the unnamedregister use@" or @@. Seeregisters for an explanation of the availableregisters.When using the '='register you get theexpression itself, not whatitevaluates to. Useeval() to evaluate it.nestingexpr-nestingE110-------(expr1)nestedexpressionenvironment variableexpr-env--------------------$VARenvironment variableTheString value of any environment variable. Whenitis not defined, theresultis an empty string.Thefunctionsgetenv() andsetenv() can also be used and work forenvironmentvariables with non-alphanumeric names.The functionenviron() can be used to getaDict with all environmentvariables.expr-env-expandNote that thereisa difference between using $VAR directly and usingexpand("$VAR"). Usingit directly will only expand environmentvariables thatare known inside the current Vim session. Usingexpand() will first try usingthe environmentvariables known inside the current Vim session. If thatfails,a shell will be used to expand the variable. This can be slow, butitdoes expand allvariables that the shell knows about. Example::echo $shell:echo expand("$shell")The first one probably doesn't echo anything, the second echoes the $shellvariable (if your shell supports it).internal variableexpr-variableE1015E1089-----------------variableinternal variableSee belowinternal-variables.function callexpr-functionE116E118E119E120-------------function(expr1, ...)function callSee belowfunctions.lambdaexpressionexpr-lambdalambda-----------------{args -> expr1}legacylambdaexpressionE451(args) =>expr1Vim9lambdaexpressionAlambdaexpression createsa new unnamed function which returns the result ofevaluatingexpr1. Lambda expressions differ fromuser-functions inthe following ways:1. The body of thelambdaexpressionis anexpr1 and nota sequence ofEx commands.2. The prefix "a:" should not be used for arguments. E.g.::let F = {arg1, arg2 -> arg1 - arg2}:echo F(5, 2)3The arguments are optional. Example::let F = {-> 'error function'}:echo F('ignored')error functionTheVim9lambda does not only usea different syntax,it also adds typechecking and can be split over multiple lines, seevim9-lambda.closureLambda expressions can access outer scopevariables and arguments. Thisisoften calleda closure. Example where "i" and "a:arg" are used inalambdawhile they already exist in the function scope. They remain valid even afterthe function returns::function Foo(arg): let i = 3: return {x -> x + i - a:arg}:endfunction:let Bar = Foo(4):echo Bar(6)5Note that thevariablesmust exist in the outer scope before thelambdaisdefined for this to work. See also:func-closure.Lambda andclosure support can be checked with:if has('lambda')Examples for usingalambdaexpression withsort(),map() andfilter()::echo map([1, 2, 3], {idx, val -> val + 1})[2, 3, 4]:echo sort([3,7,2,1,4], {a, b -> a - b})[1, 2, 3, 4, 7]Thelambdaexpressionis also useful for Channel,Job and timer::let timer = timer_start(500,\ {-> execute("echo 'Handler called'", "")},\ {'repeat': 3})Handler calledHandler calledHandler calledNote thatitis possible to cause memory to be used and not freed if theclosureis referenced by the contextit depends on:function Function() let x = 0 let F = {-> x} endfunctionTheclosure uses "x" from the function scope, and "F" in that same scoperefers to the closure. This cycle results in the memory not being freed.Recommendation: don'tdo this.Notice howexecute()is used to execute anEx command. That's ugly though.InVim9script you can usea command block, seeinline-function.Although you can use the loop variable ofafor command,itmust still existwhen theclosureis called, otherwise you get an error.E1302Lambda expressions have internal names like '<lambda>42'. If you get an errorforalambda expression, you can find whatitis with the following command::function <lambda>42See also:numbered-function==============================================================================3. Internal variableinternal-variablesE461E1001An internal variable name can be made up of letters, digits and '_'. Butitcannot start witha digit. In legacyscriptitis also possible to use curlybraces, seecurly-braces-names.In legacyscript an internal variableis created with the ":let" command:let. An internal variableis explicitly destroyed with the ":unlet"command:unlet.Usinga name thatis not an internal variable or refers toa variable that hasbeen destroyed results in an error.InVim9script:letis not used andvariables work differently, see:var.variable-scopeThere are several name spaces for variables. Which oneis to be usedisspecified by whatis prepended:(nothing) Ina function: local to the function; ina legacy script: global; inaVim9 script: local to thescriptbuffer-variableb: Local to the current buffer.window-variablew: Local to the current window.tabpage-variablet: Local to the currenttab page.global-variableg: Global.local-variablel: Local toa function (only ina legacy function)script-variable s: Local toa:source'ed Vim script.function-argument a: Function argument (only ina legacy function).vim-variablev: Global, predefined by Vim.The scope name by itself can be usedasaDictionary. For example, todelete allscript-local variables::for k in keys(s:): unlet s:[k]:endforNote: inVim9scriptvariables can also be local toa block of commands, seevim9-scopes.buffer-variableb:varb:A variable name thatis preceded with "b:"is local to the current buffer.Thus you can have several "b:foo" variables, one for each buffer.This kind of variableis deleted when the bufferis wiped out or deleted with:bdelete.One local buffer variableis predefined:b:changedtickchangetickb:changedtickThe total number of changes to the current buffer. Itisincremented for each change. Anundo commandis alsoa changein this case. Resetting'modified' whenwriting the bufferisalso counted.This can be used to perform an action only when the buffer haschanged. Example: :if my_changedtick != b:changedtick :let my_changedtick = b:changedtick :call My_Update() :endifYou cannot change or delete theb:changedtick variable.If you need more information about the change seelistener_add().window-variablew:varw:A variable name thatis preceded with "w:"is local to the current window. Itis deleted when thewindowis closed.tabpage-variablet:vart:A variable name thatis preceded with "t:"is local to the currenttab page,Itis deleted when thetab pageis closed. {not available when compiledwithout the+windows feature}global-variableg:varg:Insidefunctions and inVim9script globalvariables are accessed with "g:".Omitting this will accessa variable local toa function or script. "g:"can also be used in any other place if you like.local-variablel:varl:Insidefunctions localvariables are accessed without prepending anything.But you can also prepend "l:" if you like. However, without prepending "l:"you may run into reserved variable names. For example "count". By itselfitrefers to "v:count". Using "l:count" you can havea local variable with thesame name.script-variables:varIna legacy Vimscriptvariablesstarting with "s:" can be used. They cannotbe accessed from outside of the scripts, thus are local to the script.InVim9script the "s:" prefix can be omitted,variables arescript-local bydefault.They can be used in:- commands executed while thescriptis sourced-functions defined in thescript-autocommands defined in thescript-functions andautocommands defined infunctions andautocommands which were defined in thescript (recursively)- user defined commands defined in thescriptThus not in:- other scripts sourced from this one- mappings-menus- etc.Scriptvariables can be used to avoid conflicts with global variable names.Take this example:let s:counter = 0function MyCounter() let s:counter = s:counter + 1 echo s:counterendfunctioncommand Tick call MyCounter()You can now invoke "Tick" from any script, and the "s:counter" variable inthatscript will not be changed, only the "s:counter" in thescript where"Tick" was definedis used.Another example that does the same:let s:counter = 0command Tick let s:counter = s:counter + 1 | echo s:counterWhen callinga function and invokinga user-defined command, the context forscriptvariablesis set to thescript where the function or command wasdefined.Thescriptvariables are also available whena functionis defined insideafunction thatis defined ina script. Example:let s:counter = 0function StartCounting(incr) if a:incr function MyCounter() let s:counter = s:counter + 1 endfunction else function MyCounter() let s:counter = s:counter - 1 endfunction endifendfunctionThis defines the MyCounter() function either for counting up or counting downwhen calling StartCounting(). It doesn't matter from where StartCounting()iscalled, the s:counter variable will be accessible in MyCounter().When the samescriptis sourced againit will use the samescript variables.They will remain validas longas Vimis running. This can be used tomaintaina counter:if !exists("s:counter") let s:counter = 1 echo "script executed for the first time"else let s:counter = s:counter + 1 echo "script executed " .. s:counter .. " times now"endifNote that this means thatfiletype plugins don't geta different set ofscriptvariables for each buffer. Use local buffervariables insteadb:var.PREDEFINED VIM VARIABLESvim-variablev:varv:E963E1063Mostvariables are read-only, whena variable can be set by the user,it willbe mentionedat the variable description below. The type cannot be changed.v:argvargv-variablev:argvThe command line arguments Vim was invoked with. Thisisalist of strings. The first itemis the Vim command.Seev:progpath for the command with full path.v:beval_colbeval_col-variablev:beval_colThe number of the column, over which the mouse pointer is.Thisis the byteindex in thev:beval_lnum line.Only valid while evaluating the'balloonexpr' option.v:beval_bufnrbeval_bufnr-variablev:beval_bufnrThe number of the buffer, over which the mouse pointer is. Onlyvalid while evaluating the'balloonexpr' option.v:beval_lnumbeval_lnum-variablev:beval_lnumThe number of the line, over which the mouse pointer is. Onlyvalid while evaluating the'balloonexpr' option.v:beval_textbeval_text-variablev:beval_textThe text under or after the mouse pointer. Usuallyawordasitis useful for debuggingaC program.'iskeyword' applies,buta dot and "->" before the positionis included. When ona']' the text beforeitis used, including the matching '[' andword before it. When onaVisual area within one line thehighlighted textis used. Also see<cexpr>.Only valid while evaluating the'balloonexpr' option.v:beval_winnrbeval_winnr-variablev:beval_winnrThe number of the window, over which the mouse pointer is. Onlyvalid while evaluating the'balloonexpr' option. The firstwindow has number zero (unlike most other places whereawindow getsa number).v:beval_winidbeval_winid-variablev:beval_winidThewindow-ID of the window, over which the mouse pointeris. Otherwise like v:beval_winnr.v:charchar-variablev:charArgument for evaluating'formatexpr' and used for the typedcharacter when using<expr> in an abbreviation:map-<expr>.Itis also used by theInsertCharPre,InsertEnter andKeyInputPre events.v:charconvert_fromcharconvert_from-variablev:charconvert_fromThe name of the character encoding ofa file to be converted.Only valid while evaluating the'charconvert' option.v:charconvert_tocharconvert_to-variablev:charconvert_toThe name of the character encoding ofa file after conversion.Only valid while evaluating the'charconvert' option.v:cmdargcmdarg-variablev:cmdargThis variableis used for two purposes:1. The extra arguments given toa file read/write command. Currently these are "++enc=" and "++ff=". This variableis set before anautocommand event fora file read/write commandis triggered. Thereisa leadingspace to makeit possible to append this variable directly after the read/write command.Note: The "+cmd" argument isn't included here, becauseit will be executed anyway.2. Whenprintinga PostScript file with ":hardcopy" thisis the argument for the ":hardcopy" command. This can be used in'printexpr'.v:cmdbangcmdbang-variablev:cmdbangSet likev:cmdarg fora file read/write command. Whena "!"was used the valueis 1, otherwiseitis 0.Note that thiscan only be used in autocommands. For user commands<bang>can be used.v:collatecollate-variablev:collateThe currentlocale setting for collation order of the runtimeenvironment. This allows Vim scripts to be aware of thecurrentlocale encoding. Technical: it's the value ofLC_COLLATE. When not usingalocale the valueis "C".This variable can not be set directly, use the:languagecommand.Seemulti-lang.v:colornamesv:colornamesA dictionary that maps color names to hex color strings. Thesecolor names can be used with thehighlight-guifg,highlight-guibg, andhighlight-guisp parameters.The key values in the dictionary (the color names) should belower cased, because Vim looks upa color by its lowercasename.Updating an entry inv:colornames has no immediate effect onthesyntax highlighting. The highlight commands (probably inacolorscheme script) need to be re-evaluated in order to usethe updated color values. For example: :let v:colornames['fuscia'] = '#cf3ab4' :let v:colornames['mauve'] = '#915f6d' :highlight Normal guifg=fuscia guibg=mauveThis cannot be used to override thecterm-colors butit canbe used to override other colors. For example, theX11 colorsdefined in thecolors/lists/default.vim (previously definedinrgb.txt). When defining new color names ina plugin, therecommended practiceis to seta color entry only whenit doesnot already exist. For example: :call extend(v:colornames, {\ 'fuscia': '#cf3ab4',\ 'mauve': '#915f6d,\ }, 'keep')Usingextend() with the'keep' option updates each color onlyifit did not exist inv:colornames. Doing so allows theuser to choose the precise color value fora common nameby settingit in their.vimrc.Itis possible to remove entries from this dictionary butdoing sois NOT recommended, becauseitis disruptive toother scripts. Itis also unlikely to achieve the desiredresult because the:colorscheme and:highlight commands willboth automatically load allcolors/lists/default.vim colorscripts.You can make changes to that file, but make sure to add newkeys instead of updating existing ones, otherwise Vim will skiploading the file (thinkingit hasn't been changed).v:completed_itemcompleted_item-variablev:completed_itemDictionary containing thecomplete-items for the mostrecently completedword afterCompleteDone. TheDictionaryis empty if the completion failed.Note: Plugins can modify the value to emulate the builtinCompleteDone event behavior.v:countcount-variablev:countThecount given for the lastNormal mode command. Can be usedto get thecount beforea mapping. Read-only. Example::map _x :<C-U>echo "the count is " .. v:count<CR>Note: The<C-U>is required to remove the line range that youget when typing ':' aftera count.When there are two counts,as in "3d2w", they are multiplied,just like what happens in the command, "d6w" for the example.Also used for evaluating the'formatexpr' option."count" also works, for backwards compatibility, unlessscriptversionis 3 or higher.v:count1count1-variablev:count1Just like "v:count", but defaults to one when nocountisused.v:ctypectype-variablev:ctypeThe currentlocale setting for characters of the runtimeenvironment. This allows Vim scripts to be aware of thecurrentlocale encoding. Technical: it's the value ofLC_CTYPE. When not usingalocale the valueis "C".This variable can not be set directly, use the:languagecommand.Seemulti-lang.v:dyingdying-variablev:dyingNormally zero. Whena deadly signalis caught it's set toone. When multiple signals are caught the number increases.Can be used in anautocommand to check if Vim didn'tterminate normally.{only works on Unix}Example::au VimLeave * if v:dying | echo "\nAAAAaaaarrrggghhhh!!!\n" | endifNote: if another deadly signalis caught whenv:dyingis one,VimLeaveautocommands will not be executed.v:exitingexiting-variablev:exitingVim exit code. Normally zero, non-zero when something wentwrong. The valueisv:null before invoking theVimLeavePreandVimLeave autocmds. See:q,:x and:cquit.Example::au VimLeave * echo "Exit value is " .. v:exitingv:echospaceechospace-variablev:echospaceNumber of screen cells that can be used for an:echo messagein the last screen line before causing thehit-enter-prompt.Depends on'showcmd','ruler' and'columns'. You need tocheck'cmdheight' for whether there are full-width linesavailable above the last line.v:errmsgerrmsg-variablev:errmsgLast given error message. It's allowed to set this variable.Example::let v:errmsg = "":silent! next:if v:errmsg != "": ... handle error"errmsg" also works, for backwards compatibility, unlessscriptversionis 3 or higher.v:errorserrors-variableassert-returnv:errorsErrors found by assert functions, suchasassert_true().Thisisalist of strings.The assertfunctions append an item when an assert fails.The return value indicates this:a oneis returned if an itemwas added to v:errors, otherwise zerois returned.To remove old results makeit empty::let v:errors = []Ifv:errorsis set to anything butalistitis made an emptylist by the assert function.v:eventevent-variablev:eventDictionary containing information about the currentautocommand. See the specific event for whatit puts inthis dictionary.The dictionaryis emptied when theautocommand finishes,please refer todict-identity for how to get an independentcopy of it. Usedeepcopy() if you want to keep theinformation after the event triggers. Example:au TextYankPost * let g:foo = deepcopy(v:event)v:exceptionexception-variablev:exceptionThe value of the exception most recently caught and notfinished. See alsov:stacktrace,v:throwpoint, andthrow-variables.Example::try: throw "oops":catch /.*/: echo "caught " .. v:exception:endtryOutput: "caught oops".v:falsefalse-variablev:falseANumber with value zero. Used toput "false" in JSON. Seejson_encode().When usedasastring this evaluates to "v:false".echo v:falsev:falseThatis so thateval() can parse thestring back to the samevalue. Read-only.InVim9script "false" can be used which hasaboolean type.v:fcs_reasonfcs_reason-variablev:fcs_reasonThe reason why theFileChangedShell event was triggered.Can be used in anautocommand to decide what todo and/or whatto setv:fcs_choice to. Possible values:deletedfile no longer existsconflictfile contents, mode ortimestamp waschanged and bufferis modifiedchangedfile contents has changedmodemode of file changedtimeonly filetimestamp changedv:fcs_choicefcs_choice-variablev:fcs_choiceWhat should happen afteraFileChangedShell event wastriggered. Can be used in anautocommand to tell Vim what todo with the affected buffer:reloadReload the buffer (does not work ifthe file was deleted).editReload the buffer and detect thevalues foroptions suchas'fileformat','fileencoding','binary'(does not work if the file wasdeleted).askAsk the user what to do,as if therewas no autocommand. Except that whenonly thetimestamp changed nothingwill happen.<empty>Nothing, theautocommand shoulddoeverything that needs to be done.The defaultis empty. If another (invalid) valueis used thenVim behaves likeitis empty, thereis no warning message.v:fnamefname-variablev:fnameWhen evaluating'includeexpr': the file name that wasdetected. Empty otherwise.v:fname_infname_in-variablev:fname_inThe name of the input file. Valid while evaluating:optionused for'charconvert'file to be converted'diffexpr'original file'patchexpr'original file'printexpr'file to be printedAnd set to the swap file name forSwapExists.v:fname_outfname_out-variablev:fname_outThe name of the output file. Only valid whileevaluating:optionused for'charconvert'resulting converted file(*)'diffexpr'output ofdiff'patchexpr'resulting patched file(*) When doing conversion fora write command (e.g., ":wfile")it will be equal to v:fname_in. When doing conversionfora read command (e.g., ":e file")it will bea temporaryfile and different from v:fname_in.v:fname_newfname_new-variablev:fname_newThe name of the new version of the file. Only valid whileevaluating'diffexpr'.v:fname_difffname_diff-variablev:fname_diffThe name of thediff (patch) file. Only valid whileevaluating'patchexpr'.v:folddashesfolddashes-variablev:folddashesUsed for'foldtext': dashes representing foldlevel ofa closedfold.Read-only in thesandbox.fold-foldtextv:foldlevelfoldlevel-variablev:foldlevelUsed for'foldtext': foldlevel of closed fold.Read-only in thesandbox.fold-foldtextv:foldendfoldend-variablev:foldendUsed for'foldtext': last line of closed fold.Read-only in thesandbox.fold-foldtextv:foldstartfoldstart-variablev:foldstartUsed for'foldtext': first line of closed fold.Read-only in thesandbox.fold-foldtextv:hlsearchhlsearch-variablev:hlsearchVariable that indicates whether search highlightingis on.Settingit makes sense only if'hlsearch'is enabled whichrequires+extra_search. Setting this variable to zero actslike the:nohlsearch command, settingit to one acts likelet &hlsearch = &hlsearchNote that the valueis restored when returning fromafunction.function-search-undo.v:insertmodeinsertmode-variablev:insertmodeUsed for theInsertEnter andInsertChangeautocommandevents. Values:iInsert moderReplace modevVirtualReplace modev:keykey-variablev:keyKey of the current item ofaDictionary. Only valid whileevaluating theexpression used withmap() andfilter().Read-only.v:langlang-variablev:langThe currentlocale setting formessages of the runtimeenvironment. This allows Vim scripts to be aware of thecurrent language. Technical: it's the value of LC_MESSAGES.The valueis system dependent.This variable can not be set directly, use the:languagecommand.It can be different fromv:ctype whenmessages are desiredina different language than whatis used for characterencoding. Seemulti-lang.v:lc_timelc_time-variablev:lc_timeThe currentlocale setting for timemessages of the runtimeenvironment. This allows Vim scripts to be aware of thecurrent language. Technical: it's the value of LC_TIME.This variable can not be set directly, use the:languagecommand. Seemulti-lang.v:lnumlnum-variablev:lnumLine number for the'foldexpr'fold-expr,'formatexpr' and'indentexpr' expressions,tab page number for'guitablabel'and'guitabtooltip'. Only valid while one of theseexpressionsis being evaluated. Read-only when in thesandbox.v:maxcolmaxcol-variablev:maxcolMaximum line length. Depending on whereitis usedit can bescreen columns, characters or bytes. The value currentlyis2147483647 on all systems.v:mouse_winmouse_win-variablev:mouse_winWindow number fora mouse click obtained withgetchar().Firstwindow has number 1, like withwinnr(). The valueiszero when there was no mouse button click.v:mouse_winidmouse_winid-variablev:mouse_winidWindow ID fora mouse click obtained withgetchar().The valueis zero when there was no mouse button click.v:mouse_lnummouse_lnum-variablev:mouse_lnumLine number fora mouse click obtained withgetchar().Thisis the text line number, not the screen line number. Thevalueis zero when there was no mouse button click.v:mouse_colmouse_col-variablev:mouse_colColumn number fora mouse click obtained withgetchar().Thisis the screen column number, like withvirtcol(). Thevalueis zero when there was no mouse button click.v:nonenone-variableNonev:noneAn empty String. Used toput an empty item in JSON. Seejson_encode().This can also be usedasa function argument to use thedefault value, seenone-function_argument.When usedasa number this evaluates to zero.When usedasastring this evaluates to "v:none".echo v:nonev:noneThatis so thateval() can parse thestring back to the samevalue. Read-only.Note that using `== v:none` and `!= v:none` will often givean error. Instead, use `is v:none` and `isnot v:none`.v:nullnull-variablev:nullAn empty String. Used toput "null" in JSON. Seejson_encode().When usedasa number this evaluates to zero.When usedasastring this evaluates to "v:null".echo v:nullv:nullThatis so thateval() can parse thestring back to the samevalue. Read-only.InVim9scriptnull can be used without "v:".In some placesv:null andnull can be used fora List,Dict, Job, etc. thatis not set. Thatis slightly differentthan an empty List, Dict, etc.v:numbermaxnumbermax-variablev:numbermaxMaximum value ofa number.v:numberminnumbermin-variablev:numberminMinimum value ofa number (negative).v:numbersizenumbersize-variablev:numbersizeNumber of bits ina Number. Thisis normally 64, but on somesystemsit may be 32.v:oldfilesoldfiles-variablev:oldfilesList of file names thatis loaded from theviminfo file onstartup. These are the files that Vim remembers marks for.The length of theListis limited by the' argument of the'viminfo' option (defaultis 100).When theviminfo fileis not used theListis empty.Also see:oldfiles andc_#<.TheList can be modified, but this has no effect on whatisstored in theviminfo file later. If you use values otherthanString this will cause trouble.{only when compiled with the |+viminfo| feature}v:option_newv:option_new New value of the option. Valid while executing anOptionSetautocommand.v:option_oldv:option_old Old value of the option. Valid while executing anOptionSetautocommand. Depending on the command used for setting and thekind of option thisis either the local old value or theglobal old value.v:option_oldlocalv:option_oldlocalOld local value of the option. Valid while executing anOptionSet autocommand.v:option_oldglobalv:option_oldglobalOld global value of the option. Valid while executing anOptionSet autocommand.v:option_typev:option_type Scope of the set command. Valid while executing anOptionSet autocommand. Can be either "global" or "local"v:option_commandv:option_commandCommand used to set the option. Valid while executing anOptionSet autocommand.valueoption was set via"setlocal":setlocal or ":let l:xxx""setglobal":setglobal or ":let g:xxx""set":set or:let"modeline"modelinev:operatoroperator-variablev:operatorThe lastoperator given inNormal mode. Thisisa singlecharacter except for commandsstarting with<g> or<z>,in whichcaseitis two characters. Best used alongsidev:prevcount andv:register. Useful if you want to cancelOperator-pending mode and then use the operator, e.g.::omap O <Esc>:call MyMotion(v:operator)<CR>The value remains set until anotheroperatoris entered, thusdon't expectit to be empty.v:operatoris not set for:delete,:yank or otherExcommands.Read-only.v:prevcountprevcount-variablev:prevcountThecount given for the last but oneNormal mode command.Thisis thev:count value of the previous command. Useful ifyou want to cancelVisual orOperator-pending mode and thenuse the count, e.g.::vmap % <Esc>:call MyFilter(v:prevcount)<CR>Read-only.v:profilingprofiling-variablev:profilingNormally zero. Set to one after using ":profile start".Seeprofiling.v:prognameprogname-variablev:prognameContains the name (with path removed) with which Vim wasinvoked. Allows you todo special initialisations forview,evim etc., or any other name you might symlink to Vim.Read-only.v:progpathprogpath-variablev:progpathContains the command with which Vim was invoked, ina formthat when passed to the shell will run the same Vim executableas the current one (if $PATH remains unchanged).Useful if you want to messagea Vim server usinga--remote-expr.To get the full path use:echo exepath(v:progpath)If the command hasa relative pathit will be expanded to thefull path, so thatit still works after:cd. Thusstarting"./vim" results in "/home/user/path/to/vim/src/vim".On Linux and other systemsit will always be the full path.OnMacit may just be "vim" and usingexepath()as mentionedabove should be used to get the full path.OnMS-Windows the executable may be called "vim.exe", but the".exe"is not added to v:progpath.Read-only.v:python3_versionpython3-version-variablev:python3_versionVersion ofPython 3 that Vim was built against. WhenPythonis loaded dynamically(python-dynamic), this versionshould exactly match thePython library up to the minorversion (e.g. 3.10.2 and 3.10.3 are compatibleas the minorversionis "10", whereas 3.9.4 and 3.10.3 are not compatible).Whenpython-stable-abiis used, this will be the minimumPythonversion that you can use instead. (e.g. ifv:python3_versionindicates 3.9, you can use 3.9, 3.10, or anything above).This numberis encodedasa hex number followingPython ABIversioning conventions. Do the following to haveahuman-readable full version in hex:echo printf("%08X", v:python3_version)You can obtain only the minor version by doing:echo and(v:python3_version>>16,0xff)Read-only.v:registerregister-variablev:registerThe name of theregister in effect for the current normal modecommand (regardless of whether that command actually usedaregister). Or for the currently executing normal modemapping(use this in custom commands that takea register).If noneis supplieditis the defaultregister'"', unless'clipboard' contains "unnamed" or "unnamedplus", thenitis'*' or '+'.Also seegetreg() andsetreg()v:scrollstartscrollstart-variablev:scrollstartString describing thescript or function that caused thescreen to scroll up. It's only set whenitis empty, thus thefirst reasonis remembered. Itis set to "Unknown" foratyped command.This can be used to find out why yourscript causes thehit-enter prompt.v:servernameservername-variablev:servernameThe resulting registeredclient-server-name if any.Read-only.v:searchforwardv:searchforwardsearchforward-variableSearch direction: 1 aftera forward search,0 afterabackward search. Itis reset to forward when directly settingthe last search pattern, seequote/.Note that the valueis restored when returning fromafunction.function-search-undo.Read-write.v:shell_errorshell_error-variablev:shell_errorResult of the last shell command. When non-zero, the lastshell command had an error. When zero, there was no problem.This only works when the shell returns the error code to Vim.The value -1is often used when the command could not beexecuted. Read-only.Example::!mv foo bar:if v:shell_error: echo 'could not rename "foo" to "bar"!':endif"shell_error" also works, for backwards compatibility, unlessscriptversionis 3 or higher.v:sizeofintsizeofint-variablev:sizeofintNumber of bytes in an int. Depends on how Vim was compiled.Thisis only useful for deciding whethera test will give theexpected result.v:sizeoflongsizeoflong-variablev:sizeoflongNumber of bytes ina long. Depends on how Vim was compiled.Thisis only useful for deciding whethera test will give theexpected result.v:sizeofpointersizeofpointer-variablev:sizeofpointerNumber of bytes ina pointer. Depends on how Vim was compiled.Thisis only useful for deciding whethera test will give theexpected result.v:stacktracestacktrace-variablev:stacktraceThe stack trace of the exception most recently caught andnot finished. Refer togetstacktrace() for the structure ofstack trace. See alsov:exception,v:throwpoint, andthrow-variables.v:statusmsgstatusmsg-variablev:statusmsgLast given status message. It's allowed to set this variable.v:swapnameswapname-variablev:swapnameOnly valid when executingSwapExists autocommands: Name ofthe swap file found. Read-only.v:swapchoiceswapchoice-variablev:swapchoiceSwapExistsautocommands can set this to the selected choicefor handling an existing swap file:'o'Open read-only'e'Edit anyway'r'Recover'd'Delete swapfile'q'Quit'a'AbortThe value should bea single-character string. An empty valueresults in the user being asked,as would happen when thereisnoSwapExists autocommand. The defaultis empty.v:swapcommandswapcommand-variablev:swapcommandNormal mode command to be executed aftera file has beenopened. Can be used foraSwapExistsautocommand to haveanother Vim open the file and jump to the right place. Forexample, when jumping toatag the valueis ":tag tagname\r".For ":edit+cmd file" the valueis ":cmd\r".v:t_TYPEv:t_boolt_bool-variablev:t_boolValue ofBoolean type. Read-only. See:type()v:t_channelt_channel-variablev:t_channelValue ofChannel type. Read-only. See:type()v:t_dictt_dict-variablev:t_dictValue ofDictionary type. Read-only. See:type()v:t_floatt_float-variablev:t_floatValue ofFloat type. Read-only. See:type()v:t_funct_func-variablev:t_funcValue ofFuncref type. Read-only. See:type()v:t_jobt_job-variablev:t_jobValue ofJob type. Read-only. See:type()v:t_listt_list-variablev:t_listValue ofList type. Read-only. See:type()v:t_nonet_none-variablev:t_noneValue ofNone type. Read-only. See:type()v:t_numbert_number-variablev:t_numberValue ofNumber type. Read-only. See:type()v:t_stringt_string-variablev:t_stringValue ofString type. Read-only. See:type()v:t_blobt_blob-variablev:t_blobValue ofBlob type. Read-only. See:type()v:t_classt_class-variablev:t_classValue ofclass type. Read-only. See:type()v:t_objectt_object-variablev:t_objectValue ofobject type. Read-only. See:type()v:t_typealiast_typealias-variablev:t_typealiasValue oftypealias type. Read-only. See:type()v:t_enumt_enum-variablev:t_enumValue ofenum type. Read-only. See:type()v:t_enumvaluet_enumvalue-variablev:t_enumvalueValue ofenumvalue type. Read-only. See:type()v:t_tuplet_tuple-variablev:t_tupleValue ofTuple type. Read-only. See:type()v:termresponsetermresponse-variablev:termresponseTheescape sequence returned by theterminal for thet_RVtermcap entry. Itis set when Vim receives anescape sequencethat starts with ESC[ or CSI, then '>' or '?' and ends ina'c', with only digits and ';' in between.When this optionis set, theTermResponseautocommand eventisfired, so that you can react to the response from theterminal. TheTermResponseAll eventis also fired, with<amatch> set to "version". You can useterminalprops() to seewhat Vim figured out about the terminal.The response froma new xterm is: "<Esc>[> Pp; Pv; Pcc". Ppis theterminal type:0 for vt100 and 1 for vt220. Pvis thepatch level (since this was introduced in patch 95, it'salways 95 or higher). Pcis always zero.If Pvis 141 or higher then Vim will try to requestterminalcodes. This only works with xtermxterm-codes.{only when compiled with |+termresponse| feature}v:termblinkrespv:termblinkrespTheescape sequence returned by theterminal for thet_RCtermcap entry. Thisis used to find out whether theterminalcursoris blinking. Thisis used byterm_getcursor(). Whenthis optionis set, theTermResponseAllautocommand eventisfired, with<amatch> set to "cursorblink".v:termstylerespv:termstylerespTheescape sequence returned by theterminal for thet_RStermcap entry. Thisis used to find out what the shape of thecursor is. Thisis used byterm_getcursor(). When thisoptionis set, theTermResponseAllautocommand eventis fired,with<amatch> set to "cursorshape".v:termrbgrespv:termrbgrespTheescape sequence returned by theterminal for thet_RBtermcap entry. Thisis used to find out what theterminalbackground color is; see'background'. When this optionisset, theTermResponseAllautocommand eventis fired, with<amatch> set to "background".v:termrfgrespv:termrfgrespTheescape sequence returned by theterminal for thet_RFtermcap entry. Thisis used to find out what theterminalforeground color is. When this optionis set, theTermResponseAllautocommand eventis fired, with<amatch> setto "foreground".v:termu7respv:termu7respTheescape sequence returned by theterminal for thet_u7termcap entry. Thisis used to find out what theterminaldoes with ambiguous width characters, see'ambiwidth'. Whenthis optionis set, theTermResponseAllautocommand eventisfired, with<amatch> set to "ambiguouswidth".v:testingtesting-variablev:testingMust be set before usingtest_garbagecollect_now().Also, when set certain errormessages won't be shown for 2seconds. (e.g. "'dictionary' optionis empty")v:this_sessionthis_session-variablev:this_sessionFull filename of the last loaded or saved session file. See:mksession. Itis allowed to set this variable. When nosession file has been saved, this variableis empty."this_session" also works, for backwards compatibility, unlessscriptversionis 3 or higherv:throwpointthrowpoint-variablev:throwpointThe point where the exception most recently caught and notfinished was thrown. Not set when commands are typed. Seealsov:exception,v:stacktrace, andthrow-variables.Example::try: throw "oops":catch /.*/: echo "Exception from" v:throwpoint:endtryOutput: "Exception from test.vim, line 2"v:truetrue-variablev:trueANumber with value one. Used toput "true" in JSON. Seejson_encode().When usedasastring this evaluates to "v:true".echo v:truev:trueThatis so thateval() can parse thestring back to the samevalue. Read-only.InVim9script "true" can be used which hasaboolean type.v:valval-variablev:valValue of the current item ofaList orDictionary. Onlyvalid while evaluating theexpression used withmap() andfilter(). Read-only.v:versionversion-variablev:versionVersion number of Vim: Major version number times 100 plusminor version number. Version 5.0is 500. Version 5.1is 501. Read-only. "version" also works, for backwardscompatibility, unlessscriptversionis 3 or higher.Usehas() to check ifa certain patch was included, e.g.:if has("patch-7.4.123")Note that patch numbers are specific to the version, thus bothversion 5.0 and 5.1 may havea patch 123, but these arecompletely different.v:versionlongversionlong-variablev:versionlongLike v:version, but also including the patchlevel in the lastfour digits. Version 8.1 with patch 123 has value 8010123.This can be used like this:if v:versionlong >= 8010123However, if there are gaps in thelist of patches includedthis will not work well. This can happen ifa recent patchwas included into an older version, e.g. fora security fix.Use thehas() function to make sure the patchis actuallyincluded.v:vim_did_entervim_did_enter-variablev:vim_did_enterZero until most ofstartupis done. Itis set to one justbeforeVimEnterautocommands are triggered.v:warningmsgwarningmsg-variablev:warningmsgLast given warning message. It's allowed to set this variable.v:windowidwindowid-variablev:windowidWhen any X11/Wayland basedGUIis running or when running inaterminal and Vim connects to theX server(-X) this will beset to thewindow ID.When anMS-WindowsGUIis running this will be set to thewindow handle.Otherwise the valueis zero.Note: forwindows inside Vim usewinnr() orwin_getid(),seewindow-ID.==============================================================================4. Builtin FunctionsfunctionsSeefunction-list foralist grouped by what the functionis used for.The alphabeticlist of all builtinfunctions and details are ina separatehelp file:builtin-functions.==============================================================================5. Definingfunctionsuser-functionsNewfunctions can be defined. These can be called just like builtinfunctions. The function takes arguments, executesa sequence ofEx commandsand can returna value.You can find most information about definingfunctions inuserfunc.txt.ForVim9 functions, which execute much faster, support type checking and more,seevim9.txt.==============================================================================6. Curly braces namescurly-braces-namesIn most places where you can usea variable, you can usea "curly braces name"variable. Thisisa regular variable name with one or more expressionswrapped in braces{} like this:my_{adjective}_variableThis only works in legacy Vim script, not inVim9 script.When Vim encounters this,it evaluates theexpression inside the braces, putsthat in place of the expression, and re-interprets the wholeasa variablename. So in the above example, if the variable "adjective" was set to"noisy", then thereference would be to "my_noisy_variable", whereas if"adjective" was set to "quiet", thenit would be to "my_quiet_variable".One application for thisis to createa set ofvariables governed by an optionvalue. For example, the statementecho my_{&background}_messagewould output the contents of "my_dark_message" or "my_light_message" dependingon the current value of'background'.You can use multiple brace pairs:echo my_{adverb}_{adjective}_message..or even nest them:echo my_{ad{end_of_word}}_messagewhere "end_of_word"is either "verb" or "jective".However, theexpression inside the bracesmust evaluate toa valid singlevariable name, e.g. thisis invalid::let foo='a + b':echo c{foo}d.. since the result of expansionis "ca+ bd", whichis nota variable name.curly-braces-function-namesYou can call and definefunctions by an evaluated name ina similar way.Example::let func_end='whizz':call my_func_{func_end}(parameter)This would call the function "my_func_whizz(parameter)".This does NOT work: :let i = 3 :let @{i} = '' " error :echo @{i} " error==============================================================================7. Commandsexpression-commandsNote: inVim9script:letis not used.:varis used for variabledeclarations and assignmentsdo not usea command.vim9-declaration:let{var-name}={expr1}:letE18Set internal variable{var-name} to the result of theexpression{expr1}. The variable will get the typefrom the{expr}. If{var-name} didn't exist yet,itis created.:let{var-name}[{idx}]={expr1}E689E1141Setalist item to the result of theexpression{expr1}.{var-name}must refer toalist and{idx}must bea validindex in that list. For nestedlisttheindex can be repeated.This cannot be used to add an item toaList.This cannot be used to seta byte ina String. Youcando that like this::let var = var[0:2] .. 'X' .. var[4:]When{var-name}isaBlob then{idx} can be thelength of the blob, in whichcase one byteisappended.E711E719E1165E1166E1183:let{var-name}[{idx1}:{idx2}]={expr1}E708E709E710Seta sequence of items inaList to the result oftheexpression{expr1}, whichmust bealist with thecorrect number of items.{idx1} can be omitted, zerois used instead.{idx2} can be omitted, meaning theend of the list.When the selected range of itemsis partly past theend of the list, items will be added.:let+=:let-=:letstar=:let/=:let%=:let.=:let..=E734E985E1019:let{var} +={expr1}Like ":let{var}={var}+{expr1}".:let{var} -={expr1}Like ":let{var}={var}-{expr1}".:let{var} *={expr1}Like ":let{var}={var} *{expr1}".:let{var} /={expr1}Like ":let{var}={var}/{expr1}".:let{var} %={expr1}Like ":let{var}={var}%{expr1}".:let{var} .={expr1}Like ":let{var}={var}.{expr1}".:let{var} ..={expr1}Like ":let{var}={var} ..{expr1}".These fail if{var} was not set yet and when the typeof{var} and{expr1} don't fit the operator.+= modifiesaList oraBlob in-place instead ofcreatinga new one..=is not supported with Vimscript version 2 andlater, seevimscript-version.:let ${env-name}={expr1}:let-environment:let-$Set environment variable{env-name} to the result oftheexpression{expr1}. The typeis always String.On some systems making an environment variable emptycausesit to be deleted. Many systemsdo not makeadifference between an environment variable thatis notset and an environment variable thatis empty.:let ${env-name} .={expr1}Append{expr1} to the environment variable{env-name}.If the environment variable didn't exist yet thisworks like "=".:let @{reg-name}={expr1}:let-register:let-@Write the result of theexpression{expr1} inregister{reg-name}.{reg-name}must bea single letter, andmust be the name ofa writableregister (seeregisters). "@@" can be used for the unnamedregister, "@/" for the search pattern.If the result of{expr1} ends ina<CR> or<NL>, theregister will be linewise, otherwiseit will be set tocharacterwise.This can be used to clear the last search pattern::let @/ = ""Thisis different from searching for an empty string,that would match everywhere.:let @{reg-name} .={expr1}Append{expr1} toregister{reg-name}. If theregister was empty it's like settingit to{expr1}.:let &{option-name}={expr1}:let-option:let-&Set option{option-name} to the result of theexpression{expr1}.AString orNumber valueisalways converted to the type of the option.For an option local toawindow or buffer the effectis just like using the:set command: both the localvalue and the global value are changed.Example::let &path = &path .. ',/usr/local/include'This also works forterminal codes in the form t_xx.But only for alphanumerical names. Example::let &t_k1 = "\<Esc>[234;"When the code does not exist yetit will be createdasaterminal key code, thereis no error.:let &{option-name} .={expr1}Forastring option: Append{expr1} to the value.Does notinserta comma like:set+=.:let &{option-name} +={expr1}:let &{option-name} -={expr1}Fora number orboolean option: Add or subtract{expr1}.:let &l:{option-name}={expr1}:let &l:{option-name} .={expr1}:let &l:{option-name} +={expr1}:let &l:{option-name} -={expr1}Like above, but only set the local value of an option(if thereis one). Works like:setlocal.:let &g:{option-name}={expr1}:let &g:{option-name} .={expr1}:let &g:{option-name} +={expr1}:let &g:{option-name} -={expr1}Like above, but only set the global value of an option(if thereis one). Works like:setglobal.E1093E1537E1538E1535:let [{name1},{name2}, ...]={expr1}:let-unpackE687E688{expr1}must evaluate toaList oraTuple. Thefirst item in thelist ortupleis assigned to{name1}, the second item to{name2}, etc.The number of namesmust match the number of items intheList orTuple.Each name can be one of the items of the ":let"commandas mentioned above.Example::let [s, item] = GetItem(s)Detail:{expr1}is evaluated first, then theassignments are done in sequence. This matters if{name2} depends on{name1}. Example::let x = [0, 1]:let i = 0:let [i, x[i]] = [1, 2]:echo xThe resultis [0, 2].:let [{name1},{name2}, ...] .={expr1}:let [{name1},{name2}, ...] +={expr1}:let [{name1},{name2}, ...] -={expr1}:let [{name1},{name2}, ...] *={expr1}:let [{name1},{name2}, ...] /={expr1}:let [{name1},{name2}, ...] %={expr1}Like above, but append, add, subtract, multiply,divide, or modulo the value for eachList orTupleitem.:let [{name}, ...,;{lastname}]={expr1}E452Like:let-unpack above, but theList orTuplemay have more items than there are names.Alist oratuple of the remaining itemsis assigned to{lastname}. If there are no remaining items,{lastname}is set to an emptylist or tuple.Example::let [a, b; rest] = ["aval", "bval", 3, 4]:let [a, b; rest] = ("aval", "bval", 3, 4):let [{name}, ...,;{lastname}] .={expr1}:let [{name}, ...,;{lastname}] +={expr1}:let [{name}, ...,;{lastname}] -={expr1}Like above, but append/add/subtract the value for eachList item.:let=<<:let-heredocE990E991E172E221E1145:let{var-name} =<<[trim][eval]{endmarker}text...text...{endmarker}Set internal variable{var-name} toaListcontaining the lines of text bounded by thestring{endmarker}.If "eval"is not specified, then each line of textisusedasaliteral-string, except that singlequotesdoes not need to be doubled.If "eval"is specified, then any Vimexpression in theform{expr}is evaluated and the result replaces theexpression, like withinterpolated-string.Example where$HOMEis expanded:let lines =<< trim eval END some text See the file {$HOME}/.vimrc more textENDThere can be multiple Vim expressions ina single linebut anexpression cannot span multiple lines. If anyexpression evaluation fails, then the assignment fails.{endmarker}must not contain white space.{endmarker} cannot start witha lowercase character.The last line shouldend only with the{endmarker}string without any other character. Watch out forwhitespace after{endmarker}!Without "trim" any whitespace characters in the linesof text are preserved. If "trim"is specified before{endmarker}, then indentationis stripped so you cando:let text =<< trim END if ok echo 'done' endifENDResults in:["if ok", " echo'done'", "endif"]The markermust line up with "let" and the indentationof the first lineis removed from all the text lines.Specifically: all the leading indentation exactlymatching the leading indentation of the firstnon-empty text lineis stripped from the input lines.All leading indentation exactly matching the leadingindentation beforeletis stripped from the linecontaining{endmarker}.Note that the differencebetweenspace andtab matters here.If{var-name} didn't exist yet,itis created.Cannot be followed by another command, but can befollowed bya comment.To avoid line continuation to be applied, consideradding 'C' to'cpoptions':set cpo+=Clet var =<< END \ leading backslashENDset cpo-=CExamples:let var1 =<< ENDSample text 1 Sample text 2Sample text 3ENDlet data =<< trim DATA1 2 3 45 6 7 8DATAlet code =<< trim eval CODE let v = {10 + 20} let h = "{$HOME}" let s = "{Str1()} abc {Str2()}" let n = {MyFunc(3, 4)}CODEE121:let{var-name}..List the value of variable{var-name}. Multiplevariable names may be given.Special names recognizedhere:E738g:globalvariablesb:local buffervariablesw:localwindowvariablest:localtab pagevariables s:script-localvariablesl:local functionvariablesv:Vim variables.This does not work inVim9 script.vim9-declaration:letList the values of all variables. The type of thevariableis indicated before the value:<nothing>String#Number*FuncrefThis does not work inVim9 script.vim9-declaration:unl[et][!]{name}...:unlet:unlE108E795E1081Remove the internal variable{name}. Several variablenames can be given, they are all removed. The namemay also beaList orDictionary item.With [!] no error messageis given for non-existingvariables.One or more items fromaList can be removed::unlet list[3] " remove fourth item:unlet list[3:] " remove fourth item to lastOne item fromaDictionary can be removedata time::unlet dict['two']:unlet dict.twoThisis especially useful to clean up used globalvariables andscript-localvariables (these are notdeleted when thescript ends). Function-localvariables are automatically deleted when the functionends.InVim9scriptvariables declared ina function orscript cannot be removed.:unl[et] ${env-name}...:unlet-environment:unlet-$Remove environment variable{env-name}.Can mix{name} and ${env-name} in one:unlet command.No error messageis given fora non-existingvariable, also without !.If the system does not supportdeleting an environmentvariable,itis made empty.:cons:constE1018:cons[t]{var-name}={expr1}:cons[t] [{name1},{name2}, ...]={expr1}:cons[t] [{name}, ...,;{lastname}]={expr1}:cons[t]{var-name} =<<[trim][eval]{marker}text...text...{marker}Similar to:let, but additionally lock the variableafter setting the value. Thisis the sameas lockingthe variable with:lockvar just after:let, thus::const x = 1is equivalent to::let x = 1:lockvar! xNOTE: inVim9script:const works differently, seevim9-constThisis useful if you want to make sure the variableis not modified. If the valueisaList orDictionaryliteral then the items also cannot be changed:const ll = [1, 2, 3]let ll[1] = 5 " Error!Nested references are not locked:let lvar = ['a']const lconst = [0, lvar]let lconst[0] = 2 " Error!let lconst[1][0] = 'b' " OKE995Itis an error to specify an existing variable with:const.:let x = 1:const x = 1 " Error!E996Note that environment variables, option values andregister values cannot be used here, since they cannotbe locked.:cons[t]:cons[t]{var-name}If no argumentis given or only{var-name}is given,the behavioris the sameas:let.:lockv[ar][!][depth]{name}...:lockvar:lockvLock the internal variable{name}. Locking means thatit can no longer be changed (untilitis unlocked).A locked variable can be deleted::lockvar v:let v = 'asdf' " fails!:unlet v " worksE741E940E1118E1119E1120E1121E1122If you try to changea locked variable you get anerror message: "E741: Valueis locked:{name}".If you try to lock or unlocka built-in variable youget an error message: "E940: Cannot lock or unlockvariable{name}".[depth]is relevant when lockingaList,aTupleoraDictionary. Itspecifies how deep the lockinggoes:0Lock the variable{name} but not itsvalue.1Lock theList orTuple orDictionary itself, cannot add orremove items, but can still changetheir values.2Also lock the values, cannot changethe items. If an itemisaList orTuple orDictionary, cannot add orremove items, but can still change thevalues.3Like 2 but for theList/Tuple/Dictionary in theList/Tuple/Dictionary, one level deeper.The default[depth]is 2, thus when{name}isaList,aTuple oraDictionary the values cannotbe changed.Example with[depth] 0:let mylist = [1, 2, 3]lockvar 0 mylistlet mylist[0] = 77" OKcall add(mylist, 4)" OKlet mylist = [7, 8, 9] " Error!E743For unlimited depth use [!] and omit[depth].However, thereisa maximum depth of 100 to catchloops.Note that when twovariables refer to the sameListand you lock one of them, theList will also belocked when used through the other variable.Example::let l = [0, 1, 2, 3]:let cl = l:lockvar l:let cl[1] = 99" won't work!You may want to makea copy ofalist to avoid this.Seedeepcopy().E1391E1392Locking and unlockingobject andclassvariablesiscurrently NOT supported.:unlo[ckvar][!][depth]{name}...:unlockvar:unloE1246Unlock the internal variable{name}. Does theopposite of:lockvar.If{name} does not exist:- InVim9script an erroris given.- In legacyscript thisis silently ignored.:if{expr1}:if:end:endif:enE171E579E580:en[dif]Execute the commands until the next matching:elseor:endif if{expr1} evaluates to non-zero.Although the short forms work,itis recommended toalways use:endif to avoid confusion and to makeauto-indenting work properly.FromVim version 4.5 until 5.0, everyEx command inbetween the:if and:endifis ignored. These twocommands were just to allow for future expansions inabackward compatible way. Nesting was allowed.Notethat any:else or:elseif was ignored, theelsepart was not executed either.You can use this to remain compatible with olderversions::if version >= 500: version-5-specific-commands:endifThe commands still need to be parsed to find theendif. Sometimes an older Vim hasa problem withanew command. For example,:silentis recognizedasa:substitute command. In thatcase:execute canavoid problems::if version >= 600: execute "silent 1,$delete":endifInVim9script:endif cannot be shortened, toimprovescript readability.NOTE: The:append and:insert commands don't workproperly in between:if and:endif.:else:elE581E583:el[se]Execute the commands until the next matching:elseor:endif if they previously were not beingexecuted.InVim9script:else cannot be shortened, toimprovescript readability.:elseif:elseiE582E584:elsei[f]{expr1}Short for:else:if, with the addition that thereis no extra:endif.InVim9script:elseif cannot be shortened, toimprovescript readability.:wh[ile]{expr1}:while:endwhile:wh:endwE170E585E588E733:endw[hile]Repeat the commands between:while and:endwhile,as longas{expr1} evaluates to non-zero.When an erroris detected froma command inside theloop, execution continues after theendwhile.Example::let lnum = 1:while lnum <= line("$") :call FixLine(lnum) :let lnum = lnum + 1:endwhileInVim9script:while and:endwhile cannot beshortened, to improvescript readability.NOTE: The:append and:insert commands don't workproperly insidea:while and:for loop.:for{var} in{object}:forE690E732:endfo[r]:endfo:endforRepeat the commands between:for and:endfor foreach item in{object}.{object} can beaList,aTuple,aBlob oraString.E1177Variable{var}is set to the value of each item.InVim9script the loop variablemust not have beendeclared yet, unless whenitisaglobal/window/tab/buffer variable.When an erroris detected fora command inside theloop, execution continues after theendfor.Changing{object} inside the loop affects what itemsare used. Makea copy if thisis unwanted::for item in copy(mylist)When{object}isaList and not makinga copy, inlegacyscript Vim storesareference to the next itemin theList before executing the commands with thecurrent item. Thus the current item can be removedwithout effect. Removing any later item meansit willnot be found. Thus the following example works (aninefficient way to makeaList empty):for item in mylist call remove(mylist, 0)endforNote that reordering theList (e.g., withsort() orreverse()) may have unexpected effects.InVim9script theindexis used. If an item beforethe current oneis deleted the next item will beskipped.When{object}isaBlob, Vim always makesa copy toiterate over. Unlike withList, modifying theBlob does not affect the iteration.When{object}isaString each itemisastring withone character, plus any combining characters.InVim9script:endfor cannot be shortened, toimprovescript readability.:for [{var1},{var2}, ...] in{listlist}:endfo[r]E1140Like:for above, but each item in{listlist}must bea list, of which each itemis assigned to{var1},{var2}, etc. Example::for [lnum, col] in [[1, 3], [2, 5], [3, 8]] :echo getline(lnum)[col]:endfor:continue:conE586:con[tinue]When used insidea:while or:for loop, jumps backto the start of the loop.Ifitis used aftera:try inside the loop butbefore the matching:finally (if present), thecommands following the:finally up to the matching:endtry are executed first. This process applies toall nested:trys inside the loop. The outermost:endtry then jumps back to the start of the loop.InVim9script:contis the shortest form, toimprovescript readability.:break:breaE587:brea[k]When used insidea:while or:for loop, skips tothe command after the matching:endwhile or:endfor.Ifitis used aftera:try inside the loop butbefore the matching:finally (if present), thecommands following the:finally up to the matching:endtry are executed first. This process applies toall nested:trys inside the loop. The outermost:endtry then jumps to the command after the loop.InVim9script:break cannot be shortened, toimprovescript readability.:try:try:endt:endtryE600E601E602E1032:endt[ry]Change the error handling for the commands between:try and:endtry including everything beingexecuted across:source commands, function calls,orautocommand invocations.When an error or interruptis detected and thereisa:finally command following, execution continuesafter the:finally. Otherwise, or when the:endtryis reached thereafter, the next(dynamically) surrounding:tryis checked fora corresponding:finally etc. Then thescriptprocessingis terminated. Whethera functiondefinition has an "abort" argument does not matter.Example:try | call Unknown() | finally | echomsg "cleanup" | endtryechomsg "not reached"Moreover, an error or interrupt (dynamically) inside:try and:endtryis converted to an exception. Itcan be caughtas ifit were thrown bya:throwcommand (see:catch). In this case, thescriptprocessingis not terminated.The value "Vim:Interrupt"is used for an interruptexception. An error ina Vim commandis convertedtoa value of the form "Vim({command}):{errmsg}",othererrors are converted toa value of the form"Vim:{errmsg}".{command}is the full command name,and{errmsg}is the message thatis displayed if theerror exceptionis not caught, always beginning withthe error number.Examples:try | sleep 100 | catch /^Vim:Interrupt$/ | endtrytry | edit | catch /^Vim(edit):E\d\+/ | echo "error" | endtryInVim9script:endtry cannot be shortened, toimprovescript readability.:cat:catchE603E604E605E654E1033:cat[ch] /{pattern}/The following commands until the next:catch,:finally, or:endtry that belongs to the same:tryas the:catch are executed when an exceptionmatching{pattern}is being thrown and has not yetbeen caught bya previous:catch. Otherwise, thesecommands are skipped.When{pattern}is omitted allerrors are caught.Examples::catch /^Vim:Interrupt$/ " catch interrupts (CTRL-C):catch /^Vim\%((\a\+)\)\=:E/ " catch all Vim errors:catch /^Vim\%((\a\+)\)\=:/ " catch errors and interrupts:catch /^Vim(write):/ " catch all errors in :write:catch /^Vim\%((\a\+)\)\=:E123:/ " catch error E123:catch /my-exception/ " catch user exception:catch /.*/ " catch everything:catch " same as /.*/Another character can be used instead of/ around the{pattern}, so longasit does not havea specialmeaning (e.g.,'|' or'"') and doesn't occur inside{pattern}.E1067Information about the exceptionis available inv:exception. Also seethrow-variables.NOTE: Itis not reliable to ":catch" the TEXT ofan error message becauseit may vary in differentlocales.InVim9script:catch cannot be shortened, toimprovescript readability.:fina:finallyE606E607:fina[lly]The following commands until the matching:endtryare executed whenever the part between the matching:try and the:finallyis left: either by fallingthrough to the:finally or bya:continue,:break,:finish, or:return, or by an error orinterrupt or exception (see:throw).InVim9script:finally cannot be shortened, toimprovescript readability and avoid confusion with:final.:th:throwE608E1129:th[row]{expr1}The{expr1}is evaluated and thrownas an exception.If the ":throw"is used aftera:try but before thefirst corresponding:catch, commands are skippeduntil the first:catch matching{expr1}is reached.If thereis no such:catch or if the ":throw"isused aftera:catch but before the:finally, thecommands following the:finally (if present) up tothe matching:endtry are executed. If the:throwis after the:finally, commands up to the:endtryare skipped. At the ":endtry", this process appliesagain for the next dynamically surrounding:try(which may be found ina calling function or sourcingscript), untila matching:catch has been found.If the exceptionis not caught, the command processingis terminated.Example::try | throw "oops" | catch /^oo/ | echo "caught" | endtryNote that "catch" may need to be ona separate linefor when an error causes the parsing to skip the wholeline and not see the "|" that separates the commands.InVim9script:throw cannot be shortened, toimprovescript readability.:ec:echo:ec[ho]{expr1} ..Echoes each{expr1}, withaspace in between. Thefirst{expr1} starts ona new line.Also see:comment.Use "\n" to starta new line. Use "\r" to move thecursor to the first column.Uses the highlighting set by the:echohl command.Cannot be followed bya comment.Example::echo "the value of 'shell' is" &shell:echo-redrawA later redraw may make the message disappear again.And since Vim mostly postpones redrawing until it'sfinished witha sequence of commands this happensquite often. To avoid thata command from before the:echo causesa redraw afterwards (redraws are oftenpostponed until you type something), forcea redrawwith the:redraw command. Example::new | redraw | echo "there is a new window":echon:echon{expr1} ..Echoes each{expr1}, without anything added. Also see:comment.Uses the highlighting set by the:echohl command.Cannot be followed bya comment.Example::echon "the value of 'shell' is " &shellNote the difference between using:echo, whichisaVim command, and:!echo, whichis an external shellcommand::!echo %--> filenameThe arguments of ":!" are expanded, see:_%.:!echo "%"--> filename or "filename"Like the previous example. Whether you see the doublequotes or not depends on your'shell'.:echo %--> nothingThe '%'is an illegal character in an expression.:echo "%"--> %This just echoes the '%' character.:echo expand("%")--> filenameThis calls theexpand() function to expand the '%'.:echoh:echohl:echoh[l]{name}Use the highlight group{name} for the following:echo,:echon and:echomsg commands. Also usedfor theinput() prompt. Example::echohl WarningMsg | echo "Don't panic!" | echohl NoneDon't forget to set the group back to "None",otherwise all following echo's will be highlighted.:echom:echomsg:echom[sg]{expr1} ..Echo the expression(s)asatrue message, saving themessage in themessage-history.Spaces are placed between the argumentsas with the:echo command. But unprintable characters aredisplayed, not interpreted.The parsing works slightly different from:echo,more like:execute. All the expressions are firstevaluated and concatenated before echoing anything.If expressions does not evaluate toaNumber orString,string()is used to turnit intoa string.Uses the highlighting set by the:echohl command.Example::echomsg "It's a Zizzer Zazzer Zuzz, as you can plainly see."See:echo-redraw to avoid the message disappearingwhen the screenis redrawn.:echow:echowin:echowindow:[N]echow[indow]{expr1} ..Like:echomsg but when themessagespopupwindowisavailable the messageis displayed there. This meansit will show for three seconds and avoidahit-enter prompt. If you want to hideit beforethat, press Esc inNormal mode (whenit wouldotherwise beep). Ifit disappears too soon you canuse:messages to see the text.When [N]is given then thewindow will show up forthis number of seconds. The last:echowindow withacount matters,itis used once only.The messagewindowis available when Vim was compiledwith the +timer and the+popupwin features.:echoe:echoerr:echoe[rr]{expr1} ..Echo the expression(s)as an error message, saving themessage in themessage-history. When used inascript or function the line number will be added.Spaces are placed between the argumentsas with the:echomsg command. When used insidea try conditional,the messageis raisedas an error exception instead(seetry-echoerr).Example::echoerr "This script just failed!"If you just wanta highlighted message use:echohl.And to geta beep::exe "normal \<Esc>":echoc[onsole]{expr1} ..:echoc:echoconsoleIntended for testing: works like:echomsg but whenrunning in theGUI and started fromaterminal writethe text to stdout.:eval:eval{expr}Evaluate{expr} anddiscard the result. Example::eval Getlist()->Filter()->append('$')Theexpressionis supposed to havea side effect,since the resulting valueis not used. In the exampletheappend() call appends theList with text to thebuffer. Thisis similar to:call but works with anyexpression.InVim9script anexpression without an effect willresult in errorE1207. This shouldhelp noticingmistakes.The command can be shortened to:ev or:eva, butthese are hard to recognize and therefore not to beused.The command cannot be followed by "|" and anothercommand, since "|"is seenas part of the expression.:exe:execute:exe[cute]{expr1} ..Executes thestring that results from the evaluationof{expr1}as anEx command.Multiple arguments are concatenated, withaspace inbetween. To avoid the extraspace use the ".."operator to concatenate strings into one argument.{expr1}is usedas the processed command, command lineediting keys are not recognized.Cannot be followed bya comment.Examples::execute "buffer" nextbuf:execute "normal" count .. "w"":execute" can be used to appenda command to commandsthat don't accepta'|'. Example::execute '!ls' | echo "theend"":execute"is alsoa nice way to avoid having to typecontrol characters ina Vimscript fora ":normal"command::execute "normal ixxx\<Esc>"This has an<Esc> character, seeexpr-string.Be careful to correctlyescape special characters infile names. Thefnameescape() function can be usedfor Vim commands,shellescape() for:! commands.Examples::execute "e " .. fnameescape(filename):execute "!ls " .. shellescape(filename, 1)Note: The executedstring may be any command-line, butstarting or ending "if", "while" and "for" does notalways work, because when commands are skipped the":execute"is not evaluated and Vim loses track ofwhere blocks start and end. Also "break" and"continue" should not be inside ":execute".This example does not work, because the ":execute"isnot evaluated and Vim does not see the "while", andgives an error for finding an ":endwhile"::if 0: execute 'while i > 5': echo "test": endwhile:endifItis allowed to havea "while" or "if" commandcompletely in the executed string::execute 'while i < 5 | echo i | let i = i + 1 | endwhile':exe-comment":execute", ":echo" and ":echon" cannot be followed bya comment directly, because they see the'"'as thestart ofa string. But, you can use'|' followed byacomment. Example::echo "foo" | "this is a comment==============================================================================8. Exception handlingexception-handlingThe Vimscript language comprises an exception handling feature. Thissectionexplains howit can be used ina Vim script.Exceptions may be raised by Vim on an error or on interrupt, seecatch-errors andcatch-interrupt. You can also explicitly throw anexception by using the ":throw" command, seethrow-catch.TRY CONDITIONALStry-conditionalsExceptions can be caught or can cause cleanup code to be executed. You canusea try conditional to specify catch clauses (that catch exceptions) and/ora finally clause (to be executed for cleanup).A try conditional begins witha:try command and endsat the matching:endtry command. In between, you can usea:catch command to starta catch clause, ora:finally command to starta finally clause. There maybe none or multiple catch clauses, but thereisat most one finally clause,whichmust not be followed by any catch clauses. The lines before the catchclauses and the finally clauseis calleda try block. :try :... :...TRY BLOCK :... :catch /{pattern}/ :... :...CATCH CLAUSE :... :catch /{pattern}/ :... :...CATCH CLAUSE :... :finally :... :...FINALLY CLAUSE :... :endtryThe try conditional allows to watch code for exceptions and to take theappropriate actions. Exceptions from the try block may be caught. Exceptionsfrom the try block and also the catch clauses may cause cleanup actions. When no exceptionis thrown during execution of the try block, thecontrolis transferred to the finally clause, if present. After its execution, thescript continues with the line following the ":endtry". When an exception occurs during execution of the try block, the remaininglines in the try block are skipped. The exceptionis matched against thepatterns specifiedas arguments to the ":catch" commands. The catch clauseafter the first matching ":catch"is taken, other catch clauses are notexecuted. The catch clause ends when the next ":catch", ":finally", or":endtry" commandis reached- whateveris first. Then, the finally clause(if present)is executed. When the ":endtry"is reached, thescript executioncontinues in the following lineas usual. When an exception that does not match any of the patterns specified by the":catch" commandsis thrown in the try block, the exceptionis not caught bythat try conditional and none of the catch clausesis executed. Only thefinally clause, if present,is taken. The exception pends during execution ofthe finally clause. Itis resumedat the ":endtry", so that commands afterthe ":endtry" are not executed and the exception might be caught elsewhere,seetry-nesting. When during execution ofa catch clause another exceptionis thrown, theremaining lines in that catch clause are not executed. The new exceptionisnot matched against the patterns in any of the ":catch" commands of the sametry conditional and none of its catch clausesis taken. If there is, however,a finally clause,itis executed, and the exception pends during itsexecution. The commands following the ":endtry" are not executed. The newexception might, however, be caught elsewhere, seetry-nesting. When during execution of the finally clause (if present) an exceptionisthrown, the remaining lines in the finally clause are skipped. If the finallyclause has been taken because of an exception from the try block or one of thecatch clauses, the original (pending) exceptionis discarded. The commandsfollowing the ":endtry" are not executed, and the exception from the finallyclauseis propagated and can be caught elsewhere, seetry-nesting.The finally clauseis also executed, whena ":break" or ":continue" fora ":while" loop enclosing the complete try conditionalis executed from thetry block ora catch clause. Or whena ":return" or ":finish"is executedfrom the try block ora catch clause ofa try conditional ina function orsourced script, respectively. The ":break", ":continue", ":return", or":finish" pends during execution of the finally clause andis resumed when the":endtry"is reached. It is, however, discarded when an exceptionis thrownfrom the finally clause. Whena ":break" or ":continue" fora ":while" loop enclosing the completetry conditional or whena ":return" or ":finish"is encountered in the finallyclause, the rest of the finally clauseis skipped, and the ":break",":continue", ":return" or ":finish"is executedas usual. If the finallyclause has been taken because of an exception or an earlier ":break",":continue", ":return", or ":finish" from the try block ora catch clause,this pending exception or commandis discarded.For examples seethrow-catch andtry-finally.NESTING OF TRY CONDITIONALStry-nestingTry conditionals can be nested arbitrarily. That is,a complete tryconditional can beput into the try block,a catch clause, or the finallyclause of another try conditional. If the inner try conditional does notcatch an exception thrown in its try block or throwsa new exception from oneof its catch clauses or its finally clause, the outer try conditionalischecked according to the rules above. If the inner try conditionalis in thetry block of the outer try conditional, its catch clauses are checked, butotherwise only the finally clauseis executed. It does not matter fornesting, whether the inner try conditionalis directly contained in the outerone, or whether the outer one sourcesascript or callsa function containingthe inner try conditional.When none of the active try conditionals catches an exception, just theirfinally clauses are executed. Thereafter, thescript processing terminates.An error messageis displayed incase of an uncaught exception explicitlythrown bya ":throw" command. For uncaught error and interrupt exceptionsimplicitly raised by Vim, the error message(s) or interrupt message are shownas usual.For examples seethrow-catch.EXAMINING EXCEPTION HANDLING CODEexcept-examineException handling code can get tricky. If you are in doubt what happens, set'verbose' to 13 or use the ":13verbose" command modifier when sourcing yourscript file. Then you see when an exceptionis thrown, discarded, caught, orfinished. When usinga verbosity level ofat least 14, things pending ina finally clause are also shown. This informationis also given in debug mode(seedebug-scripts).THROWING AND CATCHING EXCEPTIONSthrow-catchYou can throw any number orstringas an exception. Use the:throw commandand pass the value to be thrownas argument::throw 4711:throw "string"throw-expressionYou can also specify anexpression argument. Theexpressionis then evaluatedfirst, and the resultis thrown::throw 4705 + strlen("string"):throw strpart("strings", 0, 6)An exception might be thrown during evaluation of the argument of the ":throw"command. Unlessitis caught there, theexpression evaluationis abandoned.The ":throw" command then does not throwa new exception. Example::function! Foo(arg): try: throw a:arg: catch /foo/: endtry: return 1:endfunction::function! Bar(): echo "in Bar": return 4710:endfunction::throw Foo("arrgh") + Bar()This throws "arrgh", and "in Bar"is not displayed since Bar()is notexecuted.:throw Foo("foo") + Bar()however displays "in Bar" and throws 4711.Any other command that takes anexpressionas argument might also beabandoned by an (uncaught) exception during theexpression evaluation. Theexceptionis then propagated to the caller of the command. Example::if Foo("arrgh"): echo "then":else: echo "else":endifHere neither of "then" or "else"is displayed.catch-orderExceptions can be caught bya try conditional with one or more:catchcommands, seetry-conditionals. The values to be caught by each ":catch"command can be specifiedasapattern argument. The subsequent catch clausegets executed whena matching exceptionis caught. Example::function! Foo(value): try: throw a:value: catch /^\d\+$/: echo "Number thrown": catch /.*/: echo "String thrown": endtry:endfunction::call Foo(0x1267):call Foo('string')The first call to Foo() displays "Number thrown", the second "String thrown".An exceptionis matched against the ":catch" commands in the order they arespecified. Only the first match counts. So you should place the morespecific ":catch" first. The following order does not make sense:: catch /.*/: echo "String thrown": catch /^\d\+$/: echo "Number thrown"The first ":catch" here matches always, so that the second catch clauseisnever taken.throw-variablesIf you catch an exception bya general pattern, you may access the exact valuein the variablev:exception:: catch /^\d\+$/: echo "Number thrown. Value is" v:exceptionYou may also be interested where an exception was thrown. Thisis stored inv:throwpoint. And you can obtain the stack trace fromv:stacktrace.Note that "v:exception", "v:stacktrace" and "v:throwpoint" are valid for theexception most recently caughtas longitis not finished. Example::function! Caught(): if v:exception != "": echo 'Caught "' . v:exception .. '" in ' .. v:throwpoint: else: echo 'Nothing caught': endif:endfunction::function! Foo(): try: try: try: throw 4711: finally: call Caught(): endtry: catch /.*/: call Caught(): throw "oops": endtry: catch /.*/: call Caught(): finally: call Caught(): endtry:endfunction::call Foo()This displaysNothing caughtCaught "4711" in function Foo, line 4Caught "oops" in function Foo, line 10Nothing caughtA practical example: The following command ":LineNumber" displays the linenumber in thescript or function whereit has been used::function! LineNumber(): return substitute(v:throwpoint, '.*\D\(\d\+\).*', '\1', ""):endfunction:command! LineNumber try | throw "" | catch | echo LineNumber() | endtrytry-nestedAn exception thatis not caught bya try conditional can be caught bya surrounding try conditional::try: try: throw "foo": catch /foobar/: echo "foobar": finally: echo "inner finally": endtry:catch /foo/: echo "foo":endtryThe inner try conditional does not catch the exception, just its finallyclauseis executed. The exceptionis then caught by the outer tryconditional. The example displays "inner finally" and then "foo".throw-from-catchYou can catch an exception and throwa new one to be caught elsewhere from thecatch clause::function! Foo(): throw "foo":endfunction::function! Bar(): try: call Foo(): catch /foo/: echo "Caught foo, throw bar": throw "bar": endtry:endfunction::try: call Bar():catch /.*/: echo "Caught" v:exception:endtryThis displays "Caught foo, throwbar" and then "Caughtbar".rethrowThereis no realrethrow in the Vimscript language, but you may throw"v:exception" instead::function! Bar(): try: call Foo(): catch /.*/: echo "Rethrow" v:exception: throw v:exception: endtry:endfunctiontry-echoerrNote that thismethod cannot be used to "rethrow" Vim error or interruptexceptions, becauseitis not possible to fake Vim internal exceptions.Trying so causes an error exception. You should throw your own exceptiondenoting the situation. If you want to causea Vim error exception containingthe original error exception value, you can use the:echoerr command::try: try: asdf: catch /.*/: echoerr v:exception: endtry:catch /.*/: echo v:exception:endtryThis code displaysVim(echoerr):Vim:E492: Not an editor command:asdfCLEANUP CODEtry-finallyScripts often change global settings and restore themat their end. If theuser however interrupts thescript by pressingCTRL-C, the settings remain inan inconsistent state. The same may happen to you in thedevelopment phase ofascript when an error occurs or you explicitly throw an exception withoutcatching it. You can solve these problems by usinga try conditional witha finally clause for restoring the settings. Its executionis guaranteed onnormalcontrol flow, on error, on an explicit ":throw", and on interrupt.(Note thaterrors and interrupts from inside the try conditional are convertedto exceptions. When not caught, they terminate thescript after the finallyclause has been executed.)Example::try: let s:saved_ts = &ts: set ts=17:: " Do the hard work here.::finally: let &ts = s:saved_ts: unlet s:saved_ts:endtryThismethod should be used locally whenevera function or part ofascriptchanges global settings which need to be restored on failure or normal exit ofthat function orscript part.break-finallyCleanup code works also when the try block ora catch clauseis left bya ":continue", ":break", ":return", or ":finish". Example::let first = 1:while 1: try: if first: echo "first": let first = 0: continue: else: throw "second": endif: catch /.*/: echo v:exception: break: finally: echo "cleanup": endtry: echo "still in while":endwhile:echo "end"This displays "first", "cleanup", "second", "cleanup", and "end".:function! Foo(): try: return 4711: finally: echo "cleanup\n": endtry: echo "Foo still active":endfunction::echo Foo() "returned by Foo"This displays "cleanup" and "4711 returned by Foo". You don't need to add anextra ":return" in the finally clause. (Above all, this would override thereturn value.)except-from-finallyUsing either of ":continue", ":break", ":return", ":finish", or ":throw" ina finally clauseis possible, but not recommended sinceit abandons thecleanup actions for the try conditional. But, of course, interrupt and errorexceptions might get raised froma finally clause. Example where an error in the finally clause stops an interrupt fromworking correctly::try: try: echo "Press CTRL-C for interrupt": while 1: endwhile: finally: unlet novar: endtry:catch /novar/:endtry:echo "Script still running":sleep 1If you need toput commands that could fail intoa finally clause, you shouldthink about catching or ignoring theerrors in these commands, seecatch-errors andignore-errors.CATCHING ERRORScatch-errorsIf you want to catch specific errors, you just have toput the code to bewatched ina try block and adda catch clause for the error message. Thepresence of the try conditional causes allerrors to be converted to anexception. No messageis displayed andv:errmsgis not set then. To findthe rightpattern for the ":catch" command, you have to know how the format ofthe error exception is. Error exceptions have the following format:Vim({cmdname}):{errmsg}orVim:{errmsg}{cmdname}is the name of the command that failed; the second formis used whenthe command nameis not known.{errmsg}is the error message usually producedwhen the error occurs outside try conditionals. It always begins witha capital "E", followed bya two or three-digit error number,a colon, anda space.Examples:The command:unlet novarnormally produces the error messageE108: No such variable: "novar"whichis converted inside try conditionals to an exceptionVim(unlet):E108: No such variable: "novar"The command:dwimnormally produces the error messageE492: Not an editor command: dwimwhichis converted inside try conditionals to an exceptionVim:E492: Not an editor command: dwimYou can catch all ":unlet"errors bya:catch /^Vim(unlet):/or allerrors for misspelled command names bya:catch /^Vim:E492:/Some errormessages may be produced by different commands::function nofuncand:delfunction nofuncboth produce the error messageE128: Function name must start with a capital: nofuncwhichis converted inside try conditionals to an exceptionVim(function):E128: Function name must start with a capital: nofuncorVim(delfunction):E128: Function name must start with a capital: nofuncrespectively. You can catch the error by its number independently on thecommand that causedit if you use the following pattern::catch /^Vim(\a\+):E128:/Some commands like:let x = novarproduce multiple error messages, here:E121: Undefined variable: novarE15: Invalid expression: novarOnly the firstis used for the exception value, sinceitis the most specificone (seeexcept-several-errors). So you can catchit by:catch /^Vim(\a\+):E121:/You can catch allerrors related to the name "nofunc" by:catch /\<nofunc\>/You can catch all Vimerrors in the ":write" and ":read" commands by:catch /^Vim(\(write\|read\)):E\d\+:/You can catch all Vimerrors by thepattern:catch /^Vim\((\a\+)\)\=:E\d\+:/catch-textNOTE: You should never catch the error message text itself::catch /No such variable/only works in the English locale, but not when the user has selecteda different language by the:language command. Itis however helpful tocite the message text ina comment::catch /^Vim(\a\+):E108:/ " No such variableIGNORING ERRORSignore-errorsYou can ignoreerrors ina specific Vim command by catching them locally::try: write:catch:endtryBut you are strongly recommended NOT to use this simple form, sinceit couldcatch more than you want. With the ":write" command, someautocommands couldbe executed and causeerrors not related to writing, for instance::au BufWritePre * unlet novarThere could even be sucherrors you are not responsible forasascriptwriter:a user of yourscript might have defined such autocommands. You wouldthen hide the error from the user. Itis much better to use:try: write:catch /^Vim(write):/:endtrywhich only catches real write errors. So catch only what you'd like to ignoreintentionally.Fora single command that does not cause execution of autocommands, you couldeven suppress the conversion oferrors to exceptions by the ":silent!"command::silent! nunmap kThis works also whena try conditionalis active.CATCHING INTERRUPTScatch-interruptWhen there are active try conditionals, an interrupt (CTRL-C)is converted tothe exception "Vim:Interrupt". You can catchit like every exception. Thescriptis not terminated, then. Example::function! TASK1(): sleep 10:endfunction:function! TASK2(): sleep 20:endfunction:while 1: let command = input("Type a command: "): try: if command == "": continue: elseif command == "END": break: elseif command == "TASK1": call TASK1(): elseif command == "TASK2": call TASK2(): else: echo "\nIllegal command:" command: continue: endif: catch /^Vim:Interrupt$/: echo "\nCommand interrupted": " Caught the interrupt. Continue with next prompt.: endtry:endwhileYou can interrupta task here by pressingCTRL-C; thescript then asks fora new command. If you pressCTRL-Cat the prompt, thescriptis terminated.Fortesting what happens whenCTRL-C would be pressed ona specific line inyour script, use the debug mode and execute the>quit or>interruptcommand on that line. Seedebug-scripts.CATCHING ALLcatch-allThe commands:catch /.*/:catch //:catchcatch everything, error exceptions, interrupt exceptions and exceptionsexplicitly thrown by the:throw command. Thisis usefulat the top level ofascript in order to catch unexpected things. Example::try:: " do the hard work here::catch /MyException/:: " handle known problem::catch /^Vim:Interrupt$/: echo "Script interrupted":catch /.*/: echo "Internal error (" .. v:exception .. ")": echo " - occurred at " .. v:throwpoint:endtry:" end of scriptNote: Catching all might catch more things than you want. Thus, you arestrongly encouraged to catch only for problems that you can really handle byspecifyingapattern argument to the ":catch". Example: Catching all could makeit nearly impossible to interruptascriptby pressingCTRL-C::while 1: try: sleep 1: catch: endtry:endwhileEXCEPTIONS AND AUTOCOMMANDSexcept-autocmdExceptions may be used during execution of autocommands. Example::autocmd User x try:autocmd User x throw "Oops!":autocmd User x catch:autocmd User x echo v:exception:autocmd User x endtry:autocmd User x throw "Arrgh!":autocmd User x echo "Should not be displayed"::try: doautocmd User x:catch: echo v:exception:endtryThis displays "Oops!" and "Arrgh!".except-autocmd-PreFor some commands,autocommands get executed before the main action of thecommand takes place. If an exceptionis thrown and not caught in the sequenceof autocommands, the sequence and the command that caused its execution areabandoned and the exceptionis propagated to the caller of the command. Example::autocmd BufWritePre * throw "FAIL":autocmd BufWritePre * echo "Should not be displayed"::try: write:catch: echo "Caught:" v:exception "from" v:throwpoint:endtryHere, the ":write" command does not write the file currently being edited (asyou can see by checking'modified'), since the exception from theBufWritePreautocommand abandons the ":write". The exceptionis then caught and thescript displays:Caught: FAIL from BufWrite Auto commands for "*"except-autocmd-PostFor some commands,autocommands get executed after the main action of thecommand has taken place. If this main action fails and the commandis insidean active try conditional, theautocommands are skipped and an error exceptionis thrown that can be caught by the caller of the command. Example::autocmd BufWritePost * echo "File successfully written!"::try: write /i/m/p/o/s/s/i/b/l/e:catch: echo v:exception:endtryThis just displays:Vim(write):E212: Can't open file for writing (/i/m/p/o/s/s/i/b/l/e)If you really need to execute theautocommands even when the main actionfails, trigger the event from the catch clause. Example::autocmd BufWritePre * set noreadonly:autocmd BufWritePost * set readonly::try: write /i/m/p/o/s/s/i/b/l/e:catch: doautocmd BufWritePost /i/m/p/o/s/s/i/b/l/e:endtryYou can also use ":silent!"::let x = "ok":let v:errmsg = "":autocmd BufWritePost * if v:errmsg != "":autocmd BufWritePost * let x = "after fail":autocmd BufWritePost * endif:try: silent! write /i/m/p/o/s/s/i/b/l/e:catch:endtry:echo xThis displays "after fail".If the main action of the command does not fail, exceptions from theautocommands will be catchable by the caller of the command::autocmd BufWritePost * throw ":-(":autocmd BufWritePost * echo "Should not be displayed"::try: write:catch: echo v:exception:endtryexcept-autocmd-CmdFor some commands, the normal action can be replaced bya sequence ofautocommands. Exceptions from that sequence will be catchable by the callerof the command. Example: For the ":write" command, the caller cannot know whether the filehad actually been written when the exception occurred. You need to tellit insome way.:if !exists("cnt"): let cnt = 0:: autocmd BufWriteCmd * if &modified: autocmd BufWriteCmd * let cnt = cnt + 1: autocmd BufWriteCmd * if cnt % 3 == 2: autocmd BufWriteCmd * throw "BufWriteCmdError": autocmd BufWriteCmd * endif: autocmd BufWriteCmd * write | set nomodified: autocmd BufWriteCmd * if cnt % 3 == 0: autocmd BufWriteCmd * throw "BufWriteCmdError": autocmd BufWriteCmd * endif: autocmd BufWriteCmd * echo "File successfully written!": autocmd BufWriteCmd * endif:endif::try:write:catch /^BufWriteCmdError$/: if &modified: echo "Error on writing (file contents not changed)": else: echo "Error after writing": endif:catch /^Vim(write):/: echo "Error on writing":endtryWhen thisscriptis sourced several times after making changes,it displaysfirstFile successfully written!thenError on writing (file contents not changed)thenError after writingetc.except-autocmd-illYou cannot spreada try conditional overautocommands for different events.The following codeis ill-formed::autocmd BufWritePre * try::autocmd BufWritePost * catch:autocmd BufWritePost * echo v:exception:autocmd BufWritePost * endtry::writeEXCEPTION HIERARCHIES AND PARAMETERIZED EXCEPTIONSexcept-hier-paramSome programming languages allow to use hierarchies of exception classes or topass additional information with theobject of an exception class. You candosimilar things in Vim. In order to throw an exception froma hierarchy, just throw the completeclass name with the components separated bya colon, for instance throw thestring "EXCEPT:MATHERR:OVERFLOW" for an overflow ina mathematical library. When you want to pass additional information with your exception class, addit in parentheses, for instance throw thestring "EXCEPT:IO:WRITEERR(myfile)"for an error whenwriting "myfile". With the appropriate patterns in the ":catch" command, you can catch forbase classes or derived classes of your hierarchy. Additional information inparentheses can be cut out fromv:exception with the ":substitute" command. Example::function! CheckRange(a, func): if a:a < 0: throw "EXCEPT:MATHERR:RANGE(" .. a:func .. ")": endif:endfunction::function! Add(a, b): call CheckRange(a:a, "Add"): call CheckRange(a:b, "Add"): let c = a:a + a:b: if c < 0: throw "EXCEPT:MATHERR:OVERFLOW": endif: return c:endfunction::function! Div(a, b): call CheckRange(a:a, "Div"): call CheckRange(a:b, "Div"): if (a:b == 0): throw "EXCEPT:MATHERR:ZERODIV": endif: return a:a / a:b:endfunction::function! Write(file): try: execute "write" fnameescape(a:file): catch /^Vim(write):/: throw "EXCEPT:IO(" .. getcwd() .. ", " .. a:file .. "):WRITEERR": endtry:endfunction::try:: " something with arithmetic and I/O::catch /^EXCEPT:MATHERR:RANGE/: let function = substitute(v:exception, '.*(\(\a\+\)).*', '\1', ""): echo "Range error in" function::catch /^EXCEPT:MATHERR/" catches OVERFLOW and ZERODIV: echo "Math error"::catch /^EXCEPT:IO/: let dir = substitute(v:exception, '.*(\(.\+\),\s*.\+).*', '\1', ""): let file = substitute(v:exception, '.*(.\+,\s*\(.\+\)).*', '\1', ""): if file !~ '^/': let file = dir .. "/" .. file: endif: echo 'I/O error for "' .. file .. '"'::catch /^EXCEPT/: echo "Unspecified error"::endtryThe exceptions raised by Vim itself (on error or when pressingCTRL-C) usea flat hierarchy: they are all in the "Vim" class. You cannot throw yourselfexceptions with the "Vim" prefix; they are reserved for Vim. Vim error exceptions are parameterized with the name of the command thatfailed, if known. Seecatch-errors.PECULIARITIESexcept-compatThe exception handling concept requires that the command sequence causing theexceptionis aborted immediately andcontrolis transferred to finally clausesand/ora catch clause.In the Vimscript language there are cases where scripts andfunctionscontinue after an error: infunctions without the "abort" flag or ina commandafter ":silent!",control flow goes to the following line, and outsidefunctions,control flow goes to the line following the outermost ":endwhile"or ":endif". On the other hand,errors should be catchableas exceptions(thus, requiring the immediate abortion).This problem has been solved by convertingerrors to exceptions and usingimmediate abortion (if not suppressed by ":silent!") only whena tryconditionalis active. Thisis no restriction since an (error) exception canbe caught only from an active try conditional. If you want an immediatetermination without catching the error, just usea try conditional withoutcatch clause. (You can cause cleanup code being executed before terminationby specifyinga finally clause.)When no try conditionalis active, the usual abortion and continuationbehavioris used instead of immediate abortion. This ensures compatibility ofscripts written for Vim 6.1 and earlier.However, when sourcing an existingscript that does not use exception handlingcommands (or when calling one of its functions) from inside an active tryconditional ofa new script, you might change thecontrol flow of the existingscript on error. You get the immediate abortion on error and can catch theerror in the new script. If however the sourcedscript suppresses errormessages by using the ":silent!" command (checking forerrors bytestingv:errmsg if appropriate), its execution pathis not changed. The errorisnot converted to an exception. (See:silent.) So the only remaining causewhere this happensis for scripts that don't care abouterrors and produceerror messages. You probably won't want to use such code from your newscripts.except-syntax-errSyntaxerrors in the exception handling commands are never caught by any ofthe ":catch" commands of the try conditional they belong to. Its finallyclauses, however,is executed. Example::try: try: throw 4711: catch /\(/: echo "in catch with syntax error": catch: echo "inner catch-all": finally: echo "inner finally": endtry:catch: echo 'outer catch-all caught "' .. v:exception .. '"': finally: echo "outer finally":endtryThis displays: inner finally outer catch-all caught "Vim(catch):E54: Unmatched \(" outer finallyThe original exceptionis discarded and an error exceptionis raised, instead.except-single-lineThe ":try", ":catch", ":finally", and ":endtry" commands can beput ona single line, but thensyntaxerrors may makeit difficult to recognize the"catch" line, thus you better avoid this. Example::try | unlet! foo # | catch | endtryraises an error exception for the trailing characters after the ":unlet!"argument, but does not see the ":catch" and ":endtry" commands, so that theerror exceptionis discarded and the "E488: Trailing characters" message getsdisplayed.except-several-errorsWhen severalerrors appear ina single command, the first error messageisusually the most specific one and therefore converted to the error exception. Example:echo novarcausesE121: Undefined variable: novarE15: Invalid expression: novarThe value of the error exception inside try conditionals is:Vim(echo):E121: Undefined variable: novarexcept-syntax-errorBut whenasyntax erroris detected aftera normal error in the same command,thesyntax erroris used for the exception being thrown. Example:unlet novar #causesE108: No such variable: "novar"E488: Trailing charactersThe value of the error exception inside try conditionals is:Vim(unlet):E488: Trailing charactersThisis done because thesyntax error might change the execution path ina waynot intended by the user. Example:try try | unlet novar # | catch | echo v:exception | endtrycatch /.*/ echo "outer catch:" v:exceptionendtryThis displays "outer catch: Vim(unlet):E488: Trailing characters", and thena "E600: Missing:endtry" error messageis given, seeexcept-single-line.==============================================================================9. Exampleseval-examplesPrinting in Binary :" The function Nr2Bin() returns the binary string representation of a number. :func Nr2Bin(nr) : let n = a:nr : let r = "" : while n : let r = '01'[n % 2] .. r : let n = n / 2 : endwhile : return r :endfunc :" The function String2Bin() converts each character in a string to a :" binary string, separated with dashes. :func String2Bin(str) : let out = '' : for ix in range(strlen(a:str)) : let out = out .. '-' .. Nr2Bin(char2nr(a:str[ix])) : endfor : return out[1:] :endfuncExample of its use: :echo Nr2Bin(32)result: "100000" :echo String2Bin("32")result: "110011-110010"Sorting linesThis example sorts lines witha specific compare function. :func SortBuffer() : let lines = getline(1, '$') : call sort(lines, function("Strcmp")) : call setline(1, lines) :endfunctionAsa one-liner: :call setline(1, sort(getline(1, '$'), function("Strcmp")))scanf() replacementsscanfThereis no sscanf() function in Vim. If you need to extract parts fromaline, you can usematchstr() andsubstitute() todo it. This example showshow to get the file name, line number and column number out ofa line like"foobar.txt, 123, 45". :" Set up the match bit :let mx='\(\f\+\),\s*\(\d\+\),\s*\(\d\+\)' :"get the part matching the whole expression :let l = matchstr(line, mx) :"get each item out of the match :let file = substitute(l, mx, '\1', '') :let lnum = substitute(l, mx, '\2', '') :let col = substitute(l, mx, '\3', '')The inputis in the variable "line", the results in thevariables "file","lnum" and "col". (idea from Michael Geddes)getting the scriptnames in a Dictionaryscriptnames-dictionaryThe:scriptnames command can be used to getalist of allscript files thathave been sourced. Thereis also thegetscriptinfo() function, but theinformation returnedis not exactly the same. Incase you need to manipulatethe list, this code can be usedasa base: # Create or update scripts dictionary, indexed by SNR, and return it. def Scripts(scripts: dict<string> = {}): dict<string> for info in getscriptinfo() if scripts->has_key(info.sid) continue endif scripts[info.sid] = info.name endfor return scripts enddef==============================================================================10. Vimscript versionsvimscript-versionvimscript-versionsscriptversionOver time many features have been added to Vim script. This includesExcommands, functions, variable types, etc. Each individual feature can bechecked with thehas() andexists() functions.Sometimes oldsyntax of functionality gets in the way of making Vim better.When supportis taken away this will break older Vim scripts. To make thisexplicit the:scriptversion command can be used. Whena Vimscriptis notcompatible with older versions of Vim this will give an explicit error,instead of failing in mysterious ways.When usinga legacy function, defined with:function, inVim9script thenscriptversion 4is used.scriptversion-1 :scriptversion 1Thisis the original Vim script, sameas not usinga:scriptversioncommand. Can be used togo back to oldsyntax fora range of lines.Test for support with:has('vimscript-1')scriptversion-2 :scriptversion 2String concatenation with "."is not supported, use ".." instead.This avoids the ambiguity using "." forDict member access andfloating point numbers. Now ".5" means the number 0.5.scriptversion-3 :scriptversion 3Allvim-variablesmust be prefixed by "v:". E.g. "version" doesn'tworkasv:version anymore,it can be usedasa normal variable.Same for some obvious namesas "count" and others.Test for support with:has('vimscript-3')scriptversion-4 :scriptversion 4Numbers witha leading zero are not recognizedas octal. "0o" or "0O"is still recognizedas octal. With theprevious version you get:echo 017 " displays 15 (octal)echo 0o17 " displays 15 (octal)echo 018 " displays 18 (decimal)withscript version 4:echo 017 " displays 17 (decimal)echo 0o17 " displays 15 (octal)echo 018 " displays 18 (decimal)Also,itis possible to use singlequotes inside numbers to make themeasier to read:echo 1'000'000Thequotesmust be surrounded by digits.Test for support with:has('vimscript-4')==============================================================================11. No+eval featureno-eval-featureWhen the+eval feature was disabledat compile time, none of theexpressionevaluation commands are available. To prevent this from causing Vim scriptsto generate all kinds of errors, the ":if" and ":endif" commands are stillrecognized, though the argument of the ":if" and everything between the ":if"and the matching ":endif"is ignored. Nesting of ":if" blocksis allowed, butonly if the commands areat the start of the line. The ":else" commandis notrecognized.Example of how to avoid executing commands when the+eval featureismissing::if 1: echo "Expression evaluation is compiled in":else: echo "You will _never_ see this message":endifTo executea command only when the+eval featureis disabled can be done intwo ways. The simplestis to exit thescript (or Vim) prematurely:if 1 echo "commands executed with +eval" finishendifargs " command executed without +evalIf youdo not want to abort loading thescript you can usea trick,as thisexample shows:silent! while 0 set history=111silent! endwhileWhen the+eval featureis available the commandis skipped because of the"while0". Without the+eval feature the "while0"is an error, whichissilently ignored, and the commandis executed.==============================================================================12. Thesandboxeval-sandboxsandboxThe'foldexpr','formatexpr','includeexpr','indentexpr','statusline' and'foldtext'options may be evaluated ina sandbox. This means that you areprotected from these expressions having nasty side effects. This gives somesafety for when theseoptions are set froma modeline. Itis also used whenthe command fromatags fileis executed and forCTRL-R= in the command line.Thesandboxis also used for the:sandbox command.E48These items are not allowed in the sandbox:-changing the buffer text- defining orchanging mapping, autocommands, user commands- setting certainoptions (seeoption-summary)- setting certainv:variables (seev:var)E794- executinga shell command- reading orwritinga file- jumping to another buffer or editinga file- executing Python, Perl, etc. commandsThisis not guaranteed 100% secure, butit should block most attacks.:san:sandbox:san[dbox]{cmd}Execute{cmd} in the sandbox. Useful to evaluate anoption that may have been set froma modeline, e.g.'foldexpr'.sandbox-optionA fewoptions contain an expression. When thisexpressionis evaluatedit mayhave to be done in thesandbox to avoida security risk. But thesandboxisrestrictive, thus this only happens when the option was set from an insecurelocation. Insecure in this context are:- sourcinga.vimrc or.exrc in the current directory- while executing in thesandbox- value coming fromamodeline- executinga function that was defined in thesandboxNote that when in thesandbox and saving an option value and restoring it, theoption will still be markedasit was set in the sandbox.==============================================================================13. TextlocktextlockIna few situationsitis not allowed to change the text in the buffer, jumpto anotherwindow and some other things that might confuse or break what Vimis currently doing. This mostly applies to things that happen when Vimisactually doing something else. For example, evaluating the'balloonexpr' mayhappen any moment the mouse cursoris restingat some position.Thisis not allowed when thetextlockis active:-changing the buffer text- jumping to another buffer orwindow- editing another file- closingawindow or quitting Vim- etc.==============================================================================14. Vimscript libraryvim-script-libraryVim comes bundled witha Vimscript library, that can be used by runtime,script authors. Currently,it only includes very few functions, butit maygrow over time.Thefunctions are availableasVim9-scriptas wellas using legacy Vimscript (to be used for non Vim 9.0 versions and Neovim).dist#vimdist#vim9Thefunctions make use of the autoloaded prefix "dist#vim" (for legacy Vimscript and Neovim) and "dist#vim9" forVim9 script.The followingfunctions are available:dist#vim#IsSafeExecutable(filetype, executable)dist#vim9#IsSafeExecutable(filetype:string, executable:string): boolThis function takesafiletype and an executable and checks whetheritis safeto execute the given executable. For security reasons users may not want tohave Vim executerandom executables or may have forbidden todo so forspecificfiletypes by setting the "<filetype>_exec" variable(plugin_exec).It returnstrue orfalse to indicate whether theplugin should run the givenexecutable. It takes the following arguments:argumenttypefiletypestringexecutablestringdist#vim9#Open():Open:URLOpeng:Openprggxdist#vim9#Open(file: string)Openspath with the system default handler (macOSopen, Windowsexplorer.exe, Linuxxdg-open, …). If the variableg:Openprg exists thestring specified in the variableis used instead.The:Open user command uses file completion for its argument.This functionis by default called using thegx mapping. In visual modetries to open the visually selected text.Associated setting variables:g:gx_word:control howgx picks up the text under the cursor. Usesg:netrw_gxasa fallback for backward compatibility. (default:<cfile>)g:nogx: disables thegx mapping. Usesg:netrw_nogxasa fallback for backward compatibility. (default:unset)NOTE: Escaping of the pathis automatically applied.Usage::call dist#vim9#Open(<path>):Open <path>package-openThe:Open and:Launch command are provided by the includedplugin$VIMRUNTIME/plugin/openPlugin.vimdist#vim9#Launch():Launchdist#vim9#Launch(file: string)Launches<args> with the appropriate system programs. Intended for launchingGUI programs within Vim.The:Launch user command uses shell completion for its first argument.NOTE: escaping of<args>is left to the userExamples:vim9scriptimport autoload 'dist/vim9.vim'# Execute 'makeprg' into another xterm windowvim9.Launch('xterm ' .. expandcmd(&makeprg))Usage::call dist#vim9#Launch(<args>):Launch <app> <args>. vim:tw=78:ts=8:noet:ft=help:norl: