blob: 1c180708aef60fc1b48d6bfc3d04784ca8663078 [file] [log] [blame]
Bram Moolenaard77a8522020-04-03 21:59:57 +02001*vim9.txt* For Vim version 8.2. Last change: 2020 Apr 03
Bram Moolenaar8a7d6542020-01-26 15:56:19 +01002
3
4 VIM REFERENCE MANUAL by Bram Moolenaar
5
6
7THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
8
9Vim9 script commands and expressions.
10
11Most expression help is in |eval.txt|. This file is about the new syntax and
12features in Vim9 script.
13
14THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
15
16
171 What is Vim9 script? |vim9-script|
182. Differences |vim9-differences|
193. New style functions |fast-functions|
204. Types |vim9-types|
215. Namespace, Import and Export |vim9script|
22
239. Rationale |vim9-rationale|
24
25==============================================================================
26
271. What is Vim9 script? *vim9-script*
28
29THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
30
31Vim script has been growing over time, while keeping backwards compatibility.
32That means bad choices from the past often can't be changed. Execution is
33quite slow, every line is parsed every time it is executed.
34
35The main goal of Vim9 script is to drastically improve performance. An
36increase in execution speed of 10 to 100 times can be expected. A secondary
37goal is to avoid Vim-specific constructs and get closer to commonly used
38programming languages, such as JavaScript, TypeScript and Java.
39
40The performance improvements can only be achieved by not being 100% backwards
41compatible. For example, in a function the arguments are not available in the
42"a:" dictionary, as creating that dictionary adds quite a lot of overhead.
43Other differences are more subtle, such as how errors are handled.
44
45The Vim9 script syntax and semantics are used in:
46- a function defined with the `:def` command
47- a script file where the first command is `vim9script`
48
49When using `:function` in a Vim9 script file the legacy syntax is used.
50However, this is discouraged.
51
52Vim9 script and legacy Vim script can be mixed. There is no need to rewrite
53old scripts, they keep working as before.
54
55==============================================================================
56
572. Differences from legacy Vim script *vim9-differences*
58
59THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
60
61Vim9 functions ~
62
63`:def` has no extra arguments like `:function` does: "range", "abort", "dict"
64or "closure". A `:def` function always aborts on an error, does not get a
65range passed and cannot be a "dict" function.
66
67In the function body:
68- Arguments are accessed by name, without "a:".
69- There is no "a:" dictionary or "a:000" list. Variable arguments are defined
70 with a name and have a list type: >
71 def MyFunc(...itemlist: list<type>)
72 for item in itemlist
73 ...
74
75
76Variable declarations with :let and :const ~
77
78Local variables need to be declared with `:let`. Local constants need to be
79declared with `:const`. We refer to both as "variables".
80
81Variables can be local to a script, function or code block: >
82 vim9script
83 let script_var = 123
84 def SomeFunc()
85 let func_var = script_var
86 if cond
87 let block_var = func_var
88 ...
89
90The variables are only visible in the block where they are defined and nested
91blocks. Once the block ends the variable is no longer accessible: >
92 if cond
93 let inner = 5
94 else
95 let inner = 0
96 endif
97 echo inner " Error!
98
99The declaration must be done earlier: >
100 let inner: number
101 if cond
102 inner = 5
103 else
104 inner = 0
105 endif
106 echo inner
107
108To intentionally use a variable that won't be available later, a block can be
109used: >
110 {
111 let temp = 'temp'
112 ...
113 }
114 echo temp " Error!
115
Bram Moolenaar560979e2020-02-04 22:53:05 +0100116An existing variable cannot be assigned to with `:let`, since that implies a
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100117declaration. An exception is global variables: these can be both used with
118and without `:let`, because there is no rule about where they are declared.
119
120Variables cannot shadow previously defined variables.
121Variables may shadow Ex commands, rename the variable if needed.
122
123Since "&opt = value" is now assigning a value to option "opt", ":&" cannot be
124used to repeat a `:substitute` command.
125
126
127Omitting :call and :eval ~
128
129Functions can be called without `:call`: >
130 writefile(lines, 'file')
Bram Moolenaar560979e2020-02-04 22:53:05 +0100131Using `:call` is still possible, but this is discouraged.
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100132
133A method call without `eval` is possible, so long as the start is an
Bram Moolenaar0c6ceaf2020-02-22 18:36:32 +0100134identifier or can't be an Ex command. It does NOT work for string constants: >
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100135 myList->add(123) " works
136 g:myList->add(123) " works
137 [1, 2, 3]->Process() " works
138 #{a: 1, b: 2}->Process() " works
139 {'a': 1, 'b': 2}->Process() " works
140 "foobar"->Process() " does NOT work
Bram Moolenaar0c6ceaf2020-02-22 18:36:32 +0100141 ("foobar")->Process() " works
142 'foobar'->Process() " does NOT work
143 ('foobar')->Process() " works
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100144
Bram Moolenaar5b1c8fe2020-02-21 18:42:43 +0100145In case there is ambiguity between a function name and an Ex command, use ":"
146to make clear you want to use the Ex command. For example, there is both the
147`:substitute` command and the `substitute()` function. When the line starts
148with `substitute(` this will use the function, prepend a colon to use the
149command instead: >
Bram Moolenaar0c6ceaf2020-02-22 18:36:32 +0100150 :substitute(pattern (replacement (
Bram Moolenaar5b1c8fe2020-02-21 18:42:43 +0100151
Bram Moolenaarcc390ff2020-02-29 22:06:30 +0100152Note that while variables need to be defined before they can be used,
153functions can be called before being defined. This is required to be able
154have cyclic dependencies between functions. It is slightly less efficient,
155since the function has to be looked up by name. And a typo in the function
156name will only be found when the call is executed.
157
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100158
159No curly braces expansion ~
160
161|curly-braces-names| cannot be used.
162
163
Bram Moolenaar560979e2020-02-04 22:53:05 +0100164No :append, :change or :insert ~
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100165
Bram Moolenaar560979e2020-02-04 22:53:05 +0100166These commands are too quickly confused with local variable names.
167
168
169Comparators ~
170
171The 'ignorecase' option is not used for comparators that use strings.
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100172
173
174White space ~
175
176Vim9 script enforces proper use of white space. This is no longer allowed: >
177 let var=234 " Error!
178 let var= 234 " Error!
179 let var =234 " Error!
180There must be white space before and after the "=": >
181 let var = 234 " OK
182
183White space is required around most operators.
184
185White space is not allowed:
186- Between a function name and the "(": >
187 call Func (arg) " Error!
188 call Func
189 \ (arg) " Error!
190 call Func(arg) " OK
191 call Func(
192 \ arg) " OK
Bram Moolenaar5b1c8fe2020-02-21 18:42:43 +0100193 call Func(
194 \ arg " OK
195 \ )
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100196
197
198Conditions and expressions ~
199
200Conditions and expression are mostly working like they do in JavaScript. A
201difference is made where JavaScript does not work like most people expect.
202Specifically, an empty list is falsey.
203
204Any type of variable can be used as a condition, there is no error, not even
205for using a list or job. This is very much like JavaScript, but there are a
206few exceptions.
207
208 type TRUE when ~
209 bool v:true
210 number non-zero
211 float non-zero
212 string non-empty
213 blob non-empty
214 list non-empty (different from JavaScript)
215 dictionary non-empty (different from JavaScript)
Bram Moolenaarb17893a2020-03-14 08:19:51 +0100216 func when not NULL
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100217 partial when not NULL
218 special v:true
219 job when not NULL
220 channel when not NULL
221 class when not NULL
222 object when not NULL (TODO: when isTrue() returns v:true)
223
224The boolean operators "||" and "&&" do not change the value: >
225 8 || 2 == 8
226 0 || 2 == 2
227 0 || '' == ''
228 8 && 2 == 2
229 0 && 2 == 0
230 [] && 2 == []
231
232When using `..` for string concatenation the arguments are always converted to
233string. >
234 'hello ' .. 123 == 'hello 123'
235 'hello ' .. v:true == 'hello true'
236
237In Vim9 script one can use "true" for v:true and "false" for v:false.
238
239
240==============================================================================
241
2423. New style functions *fast-functions*
243
244THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
245
246 *:def*
247:def[!] {name}([arguments])[: {return-type}
248 Define a new function by the name {name}. The body of
249 the function follows in the next lines, until the
250 matching `:enddef`.
251
Bram Moolenaard77a8522020-04-03 21:59:57 +0200252 When {return-type} is omitted or is "void" the
253 function is not expected to return anything.
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100254
255 {arguments} is a sequence of zero or more argument
256 declarations. There are three forms:
257 {name}: {type}
258 {name} = {value}
259 {name}: {type} = {value}
260 The first form is a mandatory argument, the caller
261 must always provide them.
262 The second and third form are optional arguments.
263 When the caller omits an argument the {value} is used.
264
Bram Moolenaar560979e2020-02-04 22:53:05 +0100265 NOTE: It is possible to nest `:def` inside another
266 `:def`, but it is not possible to nest `:def` inside
267 `:function`, for backwards compatibility.
268
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100269 [!] is used as with `:function`.
270
271 *:enddef*
272:enddef End of a function defined with `:def`.
273
274
Bram Moolenaar5b1c8fe2020-02-21 18:42:43 +0100275If the script the function is defined in is Vim9 script, then script-local
276variables can be accessed without the "s:" prefix. They must be defined
277before the function. If the script the function is defined in is legacy
278script, then script-local variables must be accessed with the "s:" prefix.
279
280
Bram Moolenaarebdf3c92020-02-15 21:41:42 +0100281 *:disa* *:disassemble*
282:disa[ssemble] {func} Show the instructions generated for {func}.
283 This is for debugging and testing.
Bram Moolenaarcc390ff2020-02-29 22:06:30 +0100284 Note that for command line completion of {func} you
285 can prepend "s:" to find script-local functions.
Bram Moolenaarebdf3c92020-02-15 21:41:42 +0100286
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100287==============================================================================
288
2894. Types *vim9-types*
290
291THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
292
293The following builtin types are supported:
294 bool
295 number
296 float
297 string
298 blob
Bram Moolenaard77a8522020-04-03 21:59:57 +0200299 list<{type}>
300 dict<{type}>
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100301 job
302 channel
Bram Moolenaarb17893a2020-03-14 08:19:51 +0100303 func
Bram Moolenaard77a8522020-04-03 21:59:57 +0200304 func({type}, ...)
305 func({type}, ...): {type}
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100306
307Not supported yet:
Bram Moolenaard77a8522020-04-03 21:59:57 +0200308 tuple<a: {type}, b: {type}, ...>
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100309
Bram Moolenaard77a8522020-04-03 21:59:57 +0200310These types can be used in declarations, but no value will have this type:
311 {type}|{type}
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100312 void
313 any
314
Bram Moolenaard77a8522020-04-03 21:59:57 +0200315There is no array type, use list<{type}> instead. For a list constant an
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100316efficient implementation is used that avoids allocating lot of small pieces of
317memory.
318
Bram Moolenaard77a8522020-04-03 21:59:57 +0200319A partial and function can be declared in more or less specific ways:
320func any kind of function reference, no type
321 checking
322func: {type} any number and type of arguments with specific
323 return type
324func({type} ...) function with argument types, does not return
325 a value
326func({type} ...): {type} function with argument types and return type
327
328If the return type is "void" the function does not return a value.
329
330The reference can also be a |Partial|, in which case it stores extra arguments
331and/or a dictionary, which are not visible to the caller. Since they are
332called in the same way the declaration is the same.
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100333
334Custom types can be defined with `:type`: >
335 :type MyList list<string>
336{not implemented yet}
337
338And classes and interfaces can be used as types: >
339 :class MyClass
340 :let mine: MyClass
341
342 :interface MyInterface
343 :let mine: MyInterface
344
345 :class MyTemplate<Targ>
346 :let mine: MyTemplate<number>
347 :let mine: MyTemplate<string>
348
349 :class MyInterface<Targ>
350 :let mine: MyInterface<number>
351 :let mine: MyInterface<string>
352{not implemented yet}
353
354
355Type inference *type-inference*
356
357In general: Whenever the type is clear it can be omitted. For example, when
358declaring a variable and giving it a value: >
359 let var = 0 " infers number type
360 let var = 'hello' " infers string type
361
362
363==============================================================================
364
3655. Namespace, Import and Export
366 *vim9script* *vim9-export* *vim9-import*
367
368THIS IS STILL UNDER DEVELOPMENT - ANYTHING CAN BREAK - ANYTHING CAN CHANGE
369
370A Vim9 script can be written to be imported. This means that everything in
371the script is local, unless exported. Those exported items, and only those
372items, can then be imported in another script.
373
374
375Namespace ~
376 *:vim9script* *:vim9*
Bram Moolenaar560979e2020-02-04 22:53:05 +0100377To recognize a file that can be imported the `vim9script` statement must
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100378appear as the first statement in the file. It tells Vim to interpret the
379script in its own namespace, instead of the global namespace. If a file
380starts with: >
381 vim9script
382 let myvar = 'yes'
383Then "myvar" will only exist in this file. While without `vim9script` it would
384be available as `g:myvar` from any other script and function.
385
386The variables at the file level are very much like the script-local "s:"
387variables in legacy Vim script, but the "s:" is omitted.
388
389In Vim9 script the global "g:" namespace can still be used as before.
390
391A side effect of `:vim9script` is that the 'cpoptions' option is set to the
392Vim default value, like with: >
393 :set cpo&vim
394One of the effects is that |line-continuation| is always enabled.
395The original value of 'cpoptions' is restored at the end of the script.
396
397
398Export ~
399 *:export* *:exp*
400Exporting one item can be written as: >
401 export const EXPORTED_CONST = 1234
402 export let someValue = ...
403 export def MyFunc() ...
404 export class MyClass ...
405
406As this suggests, only constants, variables, `:def` functions and classes can
407be exported.
408
409Alternatively, an export statement can be used to export several already
410defined (otherwise script-local) items: >
411 export {EXPORTED_CONST, someValue, MyFunc, MyClass}
412
413
414Import ~
415 *:import* *:imp*
416The exported items can be imported individually in another Vim9 script: >
417 import EXPORTED_CONST from "thatscript.vim"
418 import MyClass from "myclass.vim"
419
420To import multiple items at the same time: >
421 import {someValue, MyClass} from "thatscript.vim"
422
Bram Moolenaar560979e2020-02-04 22:53:05 +0100423In case the name is ambiguous, another name can be specified: >
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100424 import MyClass as ThatClass from "myclass.vim"
425 import {someValue, MyClass as ThatClass} from "myclass.vim"
426
427To import all exported items under a specific identifier: >
428 import * as That from 'thatscript.vim'
429
430Then you can use "That.EXPORTED_CONST", "That.someValue", etc. You are free
431to choose the name "That", but it is highly recommended to use the name of the
432script file to avoid confusion.
433
434The script name after `import` can be:
435- A relative path, starting "." or "..". This finds a file relative to the
436 location of the script file itself. This is useful to split up a large
437 plugin into several files.
438- An absolute path, starting with "/" on Unix or "D:/" on MS-Windows. This
439 will be rarely used.
440- A path not being relative or absolute. This will be found in the
441 "import" subdirectories of 'runtimepath' entries. The name will usually be
442 longer and unique, to avoid loading the wrong file.
443
444Once a vim9 script file has been imported, the result is cached and used the
445next time the same script is imported. It will not be read again.
446 *:import-cycle*
447The `import` commands are executed when encountered. If that script (directly
448or indirectly) imports the current script, then items defined after the
449`import` won't be processed yet. Therefore cyclic imports can exist, but may
450result in undefined items.
451
452
453Import in an autoload script ~
454
455For optimal startup speed, loading scripts should be postponed until they are
Bram Moolenaar560979e2020-02-04 22:53:05 +0100456actually needed. A recommended mechanism:
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100457
4581. In the plugin define user commands, functions and/or mappings that refer to
459 an autoload script. >
460 command -nargs=1 SearchForStuff call searchfor#Stuff(<f-args>)
461
462< This goes in .../plugin/anyname.vim. "anyname.vim" can be freely chosen.
463
4642. In the autocommand script do the actual work. You can import items from
465 other files to split up functionality in appropriate pieces. >
466 vim9script
467 import FilterFunc from "../import/someother.vim"
468 def searchfor#Stuff(arg: string)
469 let filtered = FilterFunc(arg)
470 ...
471< This goes in .../autoload/searchfor.vim. "searchfor" in the file name
472 must be exactly the same as the prefix for the function name, that is how
473 Vim finds the file.
474
4753. Other functionality, possibly shared between plugins, contains the exported
476 items and any private items. >
477 vim9script
478 let localVar = 'local'
479 export def FilterFunc(arg: string): string
480 ...
481< This goes in .../import/someother.vim.
482
483
484Import in legacy Vim script ~
485
486If an `import` statement is used in legacy Vim script, for identifier the
487script-local "s:" namespace will be used, even when "s:" is not specified.
488
489
490==============================================================================
491
4929. Rationale *vim9-rationale*
493
494The :def command ~
495
496Plugin writers have asked for a much faster Vim script. Investigation have
Bram Moolenaar560979e2020-02-04 22:53:05 +0100497shown that keeping the existing semantics of function calls make this close to
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100498impossible, because of the overhead involved with calling a function, setting
499up the local function scope and executing lines. There are many details that
500need to be handled, such as error messages and exceptions. The need to create
501a dictionary for a: and l: scopes, the a:000 list and several others add too
502much overhead that cannot be avoided.
503
504Therefore the `:def` method to define a new-style function had to be added,
505which allows for a function with different semantics. Most things still work
506as before, but some parts do not. A new way to define a function was
507considered the best way to separate the old-style code from Vim9 script code.
508
509Using "def" to define a function comes from Python. Other languages use
510"function" which clashes with legacy Vim script.
511
512
513Type checking ~
514
515When compiling lines of Vim commands into instructions as much as possible
516should be done at compile time. Postponing it to runtime makes the execution
517slower and means mistakes are found only later. For example, when
518encountering the "+" character and compiling this into a generic add
519instruction, at execution time the instruction would have to inspect the type
520of the arguments and decide what kind of addition to do. And when the
521type is dictionary throw an error. If the types are known to be numbers then
522an "add number" instruction can be used, which is faster. The error can be
523given at compile time, no error handling is needed at runtime.
524
525The syntax for types is similar to Java, since it is easy to understand and
526widely used. The type names are what was used in Vim before, with some
527additions such as "void" and "bool".
528
529
530JavaScript/TypeScript syntax and semantics ~
531
532Script writers have complained that the Vim script syntax is unexpectedly
533different from what they are used to. To reduce this complaint popular
534languages will be used as an example. At the same time, we do not want to
Bram Moolenaar560979e2020-02-04 22:53:05 +0100535abandon the well-known parts of legacy Vim script.
Bram Moolenaar8a7d6542020-01-26 15:56:19 +0100536
537Since Vim already uses `:let` and `:const` and optional type checking is
538desirable, the JavaScript/TypeScript syntax fits best for variable
539declarations. >
540 const greeting = 'hello' " string type is inferred
541 let name: string
542 ...
543 name = 'John'
544
545Expression evaluation was already close to what JavaScript and other languages
546are doing. Some details are unexpected and can be fixed. For example how the
547|| and && operators work. Legacy Vim script: >
548 let result = 44
549 ...
550 return result || 0 " returns 1
551
552Vim9 script works like JavaScript, keep the value: >
553 let result = 44
554 ...
555 return result || 0 " returns 44
556
557On the other hand, overloading "+" to use both for addition and string
558concatenation goes against legacy Vim script and often leads to mistakes.
559For that reason we will keep using ".." for string concatenation. Lua also
560uses ".." this way.
561
562
563Import and Export ~
564
565A problem of legacy Vim script is that by default all functions and variables
566are global. It is possible to make them script-local, but then they are not
567available in other scripts.
568
569In Vim9 script a mechanism very similar to the Javascript import and export
570mechanism is supported. It is a variant to the existing `:source` command
571that works like one would expect:
572- Instead of making everything global by default, everything is script-local,
573 unless exported.
574- When importing a script the symbols that are imported are listed, avoiding
575 name conflicts and failures if later functionality is added.
576- The mechanism allows for writing a big, long script with a very clear API:
577 the exported function(s) and class(es).
578- By using relative paths loading can be much faster for an import inside of a
579 package, no need to search many directories.
580- Once an import has been used, it can be cached and loading it again can be
581 avoided.
582- The Vim-specific use of "s:" to make things script-local can be dropped.
583
584
585Classes ~
586
587Vim supports interfaces to Perl, Python, Lua, Tcl and a few others. But
588these have never become widespread. When Vim 9 was designed a decision was
589made to phase out these interfaces and concentrate on Vim script, while
590encouraging plugin authors to write code in any language and run it as an
591external tool, using jobs and channels.
592
593Still, using an external tool has disadvantages. An alternative is to convert
594the tool into Vim script. For that to be possible without too much
595translation, and keeping the code fast at the same time, the constructs of the
596tool need to be supported. Since most languages support classes the lack of
597class support in Vim is then a problem.
598
599Previously Vim supported a kind-of object oriented programming by adding
600methods to a dictionary. With some care this could be made to work, but it
601does not look like real classes. On top of that, it's very slow, because of
602the use of dictionaries.
603
604The support of classes in Vim9 script is a "minimal common functionality" of
605class support in most languages. It works mostly like Java, which is the most
606popular programming language.
607
608
609
610 vim:tw=78:ts=8:noet:ft=help:norl: