fold.txt ForVim version 9.1. Last change: 2024 Dec 17VIM REFERENCE MANUAL by Bram MoolenaarFoldingFoldingfoldingfoldsYou can find an introduction onfolding in chapter 28 of the user manual.usr_28.txt1. Fold methodsfold-methods2. Fold commandsfold-commands3. Foldoptionsfold-options4. Behavior offoldsfold-behavior{not available when compiled without the |+folding| feature}==============================================================================1. Fold methodsfold-methodsThefoldingmethod can be set with the'foldmethod' option.When setting'foldmethod' toa value other than "manual", allfolds aredeleted and new ones created. Switching to the "manual"method doesn't removethe existing folds. This can be used to first define thefolds automaticallyand then change them manually.There are six methods to select folds:manualmanually definefoldsindentmore indent meansa higher fold levelexprspecify anexpression to definefoldssyntaxfolds defined bysyntax highlightingdifffolds for unchanged textmarkerfolds defined by markers in the textMANUALfold-manualUse commands to manually define the fold regions. This can also be used byascript that parses text to find folds.The level ofa foldis only defined by its nesting. To increase the foldlevel ofa fold fora range of lines, definea fold insideit that has thesame lines.The manualfolds are lost when youabandon the file. To save thefolds usethe:mkview command. Theview can be restored later with:loadview.INDENTfold-indentThefolds are automatically defined by the indent of the lines.The foldlevelis computed from the indent of the line, divided by the'shiftwidth' (rounded down).A sequence of lines with the same or higher foldlevel forma fold, with the lines witha higher level forminga nested fold.The nesting offoldsis limited with'foldnestmax'.Some lines are ignored and get the fold level of the line above or below it,whicheveris lower. These are empty or white lines and linesstartingwitha character in'foldignore'. Whitespaceis skipped before checking forcharacters in'foldignore'. ForC use "#" to ignore preprocessor lines.When you want to ignore lines in another way, use the "expr" method. Theindent() function can be used in'foldexpr' to get the indent ofa line.EXPRfold-exprThefolds are automatically defined by their foldlevel, like with the "indent"method. The value of the'foldexpr' optionis evaluated to get the foldlevelofa line. Examples:This will createa fold for all consecutive lines that start witha tab::set foldexpr=getline(v:lnum)[0]==\"\\t\"This will makea fold out of paragraphs separated by blank lines::set foldexpr=getline(v:lnum)=~'^\\s*$'&&getline(v:lnum+1)=~'\\S'?'<1':1This does the same::set foldexpr=getline(v:lnum-1)=~'^\\s*$'&&getline(v:lnum)=~'\\S'?'>1':1Note that backslashesmust be used toescape characters that ":set" handlesdifferently (space, backslash, double quote, etc., seeoption-backslash).The most efficientis to calla compiled function without arguments::set foldexpr=MyFoldLevel()The functionmust use v:lnum. Seeexpr-option-function.These are the conditions with which theexpressionis evaluated:- The current buffer andwindow are set for the line.- The variable "v:lnum"is set to the line number.The result of foldexpr then determines the fold levelas follows: valuemeaning0the lineis not ina fold 1, 2, ..the lineis ina fold with this level -1the fold levelis undefined, use the fold level ofaline before or after this line, whicheveris thelowest. "="use fold level from the previous line "a1", "a2", ..add one, two, .. to the fold level of the previousline, use the result for the current line "s1", "s2", ..subtract one, two, .. from the fold level of theprevious line, use the result for the next line "<1", "<2", ..a fold with this level endsat this line ">1", ">2", ..a fold with this level startsat this lineThe result values "=", "s" and "a" are more expensive, please seefold-expr-slow.Itis not required tomark the start (end) ofa fold with ">1"("<1"),a foldwill also start (end) when the fold levelis higher (lower) than the foldlevel of the previous line.Theremust be no side effects from the expression. The text in the buffer,cursor position, the search patterns,options etc.must not be changed.You can change and restore them if you are careful.If thereis some error in the expression, or the resulting value isn'trecognized, thereis no error message and the fold level will be zero.For debugging the'debug' option can be set to "msg", the errormessages willbe visible then.If the'foldexpr'expression starts with s: or<SID>, thenitis replacedwith thescript ID(local-function). Examples:set foldexpr=s:MyFoldExpr()set foldexpr=<SID>SomeFoldExpr()An example of using "a1" and "s1": Fora multi-lineC comment,a linecontaining "/*" would return "a1" to starta fold, anda line containing "*/"would return "s1" toend the fold after that line: if match(thisline, '/\*') >= 0 return 'a1' elseif match(thisline, '\*/') >= 0 return 's1' else return '=' endifHowever, this won't work for single line comments, strings, etc.foldlevel() can be useful to computea fold level relative toa previousfold level. Butnote thatfoldlevel() may return -1 if the levelis not knownyet. Andit returns the levelat the start of the line, whilea fold mightend in that line.It may happen thatfolds are not updated properly. You can usezx orzXto force updating folds.MINIMIZING COMPUTATIONAL COSTfold-expr-slowDue to its computational cost, this foldmethod can make Vim unresponsive,especially when the fold level of all lines have to be initially computed.Afterwards, after each change, Vim restricts the computation of foldlevelsto those lines whose fold level was affected byit (and reuses the knownfoldlevels of all the others).The foldexpression should therefore strive to minimize the number ofdependent lines needed for the computation ofa given line: For example, tryto avoid the "=", "a" and "s" return values, because these will require theevaluation of the fold levels on previous lines until an independent foldlevelis found.If this proves difficult, the next best thing could be to cache all foldlevels ina buffer-local variable (b:foldlevels) thatis only updated onb:changedtick: vim9script def MyFoldFunc(): number if b:lasttick == b:changedtick return b:foldlevels[v:lnum - 1] endif b:lasttick = b:changedtick b:foldlevels = [] # compute foldlevels ... return b:foldlevels[v:lnum - 1] enddef set foldexpr=s:MyFoldFunc()In above example further speedup was gained by usinga precompiledVim9scriptfunction without arguments (thatmust still use v:lnum). Seeexpr-option-function.SYNTAXfold-syntaxA foldis defined bysyntax items that have the "fold" argument.:syn-foldThe fold levelis defined by nesting folds. The nesting offoldsis limitedwith'foldnestmax'.Be careful to specify propersyntax syncing. If thisis not done right,foldsmay differ from the displayed highlighting. Thisis especially relevant whenusing patterns that match more than one line. Incase of doubt, try usingbrute-force syncing::syn sync fromstartDIFFfold-diffThefolds are automatically defined for text thatis not part ofa change orclose toa change.Thismethod only works properly when the'diff' optionis set for the currentwindow and changes are being displayed. Otherwise the whole buffer will beone big fold.The'diffopt' option can be used to specify the context. That is, the numberof lines between the fold anda change that are not included in the fold. Forexample, to usea context of 8 lines::set diffopt=filler,context:8The default contextis six lines.When'scrollbind'is also set, Vim will attempt to keep the samefolds open inotherdiff windows, so that the same textis visible.MARKERfold-markerMarkers in the text tell wherefolds start and end. This allows you toprecisely specify the folds. This will allowdeleting and puttinga fold,without the risk of including the wrong lines. The'foldtext' optionisnormally set such that the text before the marker shows up in the folded line.This makesit possible to givea name to the fold.Markers can havea level included, or can use matching pairs. Includingalevelis easier, you don't have to addend markers and avoid problems withnon-matching marker pairs. Example:/* global variables {{{1 */int varA, varB;/* functions {{{1 *//* funcA() {{{2 */void funcA() {}/* funcB() {{{2 */void funcB() {}{{{}}}A fold startsata "{{{" marker. The following numberspecifies the foldlevel. What happens depends on the difference between the current fold leveland the level given by the marker:1. Ifa marker with the same fold levelis encountered, the previous fold ends and another fold with the same level starts.2. Ifa marker witha higher fold levelis found,a nested foldis started.3. Ifa marker witha lower fold levelis found, allfolds up to and including this levelend anda fold with the specified level starts.The number indicates the fold level.A zero cannot be used (a marker withlevel zerois ignored). You can use "}}}" witha digit to indicate the levelof the fold that ends. The fold level of the following line will be onelessthan the indicated level.Note that Vim doesn't look back to the level of thematching marker (that would take too much time). Example:{{{1fold level here is 1{{{3fold level here is 3}}}3fold level here is 2You can also use matching pairs of "{{{" and "}}}" markers to define folds.Each "{{{" increases the fold level by one, each "}}}" decreases the foldlevel by one. Be careful to keep the markers matching! Example:{{{fold level here is 1{{{fold level here is 2}}}fold level here is 1You can mix using markers witha number and withouta number.A useful way ofdoing thisis to use numbered markers for large folds, and unnumbered markerslocally ina function. For example use level onefolds for the sections ofyour file like "structuredefinitions", "localvariables" and "functions".Use level 2 markers for each definition and function, Use unnumbered markersinside functions. When you make changes ina function to split up folds, youdon't have to renumber the markers.The markers can be set with the'foldmarker' option. Itis recommended tokeep thisat the default value of "{{{,}}}", so that files can be exchangedbetween Vim users. Only changeit whenitis required for the file (e.g.,itcontains markers from anotherfolding editor, or the default markers causetrouble for the language of the file).fold-create-marker"zf" can be used to createa fold defined by markers. Vim willinsert themarkers for you. Vim will append the start andend marker,as specified with'foldmarker'. The markers are appended to theend of the line.'commentstring'is used ifit isn't empty.This does not work properly when:- The line already containsa marker witha level number. Vim then doesn't know what to do.- Folds nearby usea level number in their marker which gets in the way.- The lineis insidea comment,'commentstring' isn't empty and nested comments don't work. For example with C: adding/*{{{ */ insidea comment will truncate the existing comment. Eitherput the marker before or after the comment, or add the marker manually.Generally it's nota good idea to let Vim create markers when you already havemarkers witha level number.fold-delete-marker"zd" can be used to deletea fold defined by markers. Vim will delete themarkers for you. Vim will search for the start andend markers,as specifiedwith'foldmarker',at the start andend of the fold. When the text around themarker matches with'commentstring', that textis deletedas well.This does not work properly when:-A line contains more than one marker and one of themspecifiesa level. Only the first oneis removed, without checking if this will have the desired effect ofdeleting the fold.- The marker containsa level number andis used to start orend severalfoldsat the same time.==============================================================================2. Fold commandsfold-commandsE490Allfolding commands start with "z". Hint: the "z" looks likea folded pieceof paper, if you lookatit from the side.CREATING AND DELETING FOLDSzfE350zf{motion} or{Visual}zfOperator to createa fold.This only works when'foldmethod'is "manual" or "marker".The new fold will be closed for the "manual" method.'foldenable' will be set.Also seefold-create-marker.zFzFCreatea fold for[count] lines. Works like "zf".:{range}fo[ld]:fold:foCreatea fold for the lines in{range}. Works like "zf".zdE351zdDelete one foldat the cursor. When the cursoris ona foldedline, that foldis deleted. Nestedfolds are moved one levelup. InVisual mode one level of allfolds (partially) in theselected area are deleted.Careful: This easily deletes morefolds than you expect andthereis noundo for manual folding.This only works when'foldmethod'is "manual" or "marker".Also seefold-delete-marker.zDzDDeletefolds recursivelyat the cursor. InVisual mode allfolds (partially) in the selected area and all nestedfolds inthem are deleted.This only works when'foldmethod'is "manual" or "marker".Also seefold-delete-marker.zEE352zEEliminate allfolds in the window.This only works when'foldmethod'is "manual" or "marker".Also seefold-delete-marker.OPENING AND CLOSING FOLDSA fold smaller than'foldminlines' will always be displayed likeit was open.Therefore the commands below may work differently on small folds.zozoOpen one fold under the cursor. Whenacountis given, thatmanyfolds deep will be opened. InVisual mode one level offoldsis opened for all lines in the selected area.zOzOOpen allfolds under the cursor recursively. Folds that don'tcontain the cursor line are unchanged.InVisual modeit opens allfolds that are in the selectedarea, also those that are only partly selected.zczcClose one fold under the cursor. Whenacountis given, thatmanyfolds deep are closed. InVisual mode one level offoldsis closed for all lines in the selected area.'foldenable' will be set.zCzCClose allfolds under the cursor recursively. Folds thatdon't contain the cursor line are unchanged.InVisual modeit closes allfolds that are in the selectedarea, also those that are only partly selected.'foldenable' will be set.zazaSummary: Toggle the fold under the cursor.When ona closed fold: open it. Whenfolds are nested, youmay have to use "za" several times. Whenacountis given,that many closedfolds are opened.When on an open fold: closeit and set'foldenable'. Thiswill only close one level, since using "za" again will openthe fold. Whenacountis given that manyfolds will beclosed (that's not the sameasrepeating "za" that manytimes).zAzAWhen ona closed fold: openit recursively.When on an open fold: closeit recursively and set'foldenable'.zvzvView cursor line: Open just enoughfolds to make the line inwhich the cursoris located not folded.zxzxUpdate folds: Undo manually opened and closed folds: re-apply'foldlevel', thendo "zv":View cursor line.Also forces recomputing folds. Thisis useful when using'foldexpr' and the bufferis changed ina way that results infolds not to be updated properly.zXzXUndo manually opened and closed folds: re-apply'foldlevel'.Also forces recomputing folds, likezx.zmzmFold more: Subtractv:count1 from'foldlevel'. If'foldlevel' was already zero nothing happens.'foldenable' will be set.zMzMClose all folds: set'foldlevel' to 0.'foldenable' will be set.zrzrReduce folding: Addv:count1 to'foldlevel'.zRzROpen all folds. This sets'foldlevel' to highest fold level.:foldo:foldopen:{range}foldo[pen][!]Openfolds in{range}. When [!]is added allfolds areopened. Useful to see all the text in{range}. Without [!]one level offoldsis opened.:foldc:foldclose:{range}foldc[lose][!]Closefolds in{range}. When [!]is added allfolds areclosed. Useful to hide all the text in{range}. Without [!]one level offoldsis closed.znznFold none: reset'foldenable'. Allfolds will be open.zNzNFold normal: set'foldenable'. Allfolds will beas theywere before.ziziInvert'foldenable'.MOVING OVER FOLDS[z[zMove to the start of the current open fold. If alreadyat thestart, move to the start of the fold that contains it. Ifthereis no containing fold, the command fails.Whenacountis used, repeats the command[count] times.]z]zMove to theend of the current open fold. If alreadyat theend, move to theend of the fold that contains it. If thereis no containing fold, the command fails.Whenacountis used, repeats the command[count] times.zjzjMove downwards to the start of the next fold.A closed foldis countedas one fold.Whenacountis used, repeats the command[count] times.This command can be used after anoperator.zkzkMove upwards to theend of the previous fold.A closed foldis countedas one fold.Whenacountis used, repeats the command[count] times.This command can be used after anoperator.EXECUTING COMMANDS ON FOLDS:[range]foldd[oopen]{cmd}:foldd:folddo:folddoopenExecute{cmd} on all lines that are not ina closed fold.When[range]is given, only these lines are used.Each time{cmd}is executed the cursoris positioned on thelineitis executed for.This works like the ":global" command: First all lines thatare not ina closed fold are marked. Then the{cmd}isexecuted for all marked lines. Thus when{cmd} changes thefolds, this has no influence on whereitis executed (exceptwhen lines are deleted, of course).Example::folddoopen s/end/loop_end/geNote the use of the "e" flag to avoid getting an error messagewhere "end" doesn't match.:[range]folddoc[losed]{cmd}:folddoc:folddoclosedExecute{cmd} on all lines that are ina closed fold.Otherwise like ":folddoopen".==============================================================================3. Foldoptionsfold-optionsCOLORSfold-colorsThe colors ofa closed fold are set with the Folded grouphl-Folded. Thecolors of the fold column are set with the FoldColumn grouphl-FoldColumn.Example to set the colors::highlight Folded guibg=grey guifg=blue:highlight FoldColumn guibg=darkgrey guifg=whiteFOLDLEVELfold-foldlevel'foldlevel'isa number option: The higher the more folded regions are open.When'foldlevel'is 0, allfolds are closed.When'foldlevel'is positive, somefolds are closed.When'foldlevel'is very high, allfolds are open.'foldlevel'is applied whenitis changed. After that manuallyfolds can beopened and closed.When increased,folds above the new level are opened. No manually openedfolds will be closed.When decreased,folds above the new level are closed. No manually closedfolds will be opened.FOLDTEXTfold-foldtext'foldtext'isastring option thatspecifies an expression. Thisexpressionis evaluated to obtain the text displayed fora closed fold. Example: :set foldtext=v:folddashes.substitute(getline(v:foldstart),'/\\*\\\|\\*/\\\|{{{\\d\\=','','g')This shows the first line of the fold, with "/*", "*/" and "{{{" removed.Note the use of backslashes to avoid some characters to be interpreted by the":set" command. Itis much simpler to definea function and call it: :set foldtext=MyFoldText() :function MyFoldText() : let line = getline(v:foldstart) : let sub = substitute(line, '/\*\|\*/\|{{{\d\=', '', 'g') : return v:folddashes .. sub :endfunctionThe advantage of usinga function call without argumentsis thatitis faster,seeexpr-option-function.Evaluating'foldtext'is done in thesandbox. The currentwindowis set tothewindow that displays the line. The contextis set to thescript where theoption was last set.Errors are ignored. For debugging set the'debug' option to "throw".The default valueisfoldtext(). This returnsa reasonable text for mosttypes of folding. If you don't like it, you can specify your own'foldtext'expression. It can use these special Vim variables:v:foldstartline number of first line in the foldv:foldendline number of last line in the foldv:folddashesastring that contains dashes to represent thefoldlevel.v:foldlevelthe foldlevel of the foldIn the resulta TABis replaced withaspace and unprintable characters aremade into printable characters.The resulting lineis truncated to fit in the window,it never wraps.When thereis room after the text,itis filled with the character specifiedby'fillchars'.If the'foldtext'expression starts with s: or<SID>, thenitis replacedwith thescript ID(local-function). Examples:set foldtext=s:MyFoldText()set foldtext=<SID>SomeFoldText()Note that backslashes need to be used for characters that the ":set" commandhandles differently: Space,backslash and double-quote.option-backslashFOLDCOLUMNfold-foldcolumn'foldcolumn'isa number, which sets the width fora column on the side of thewindow to indicate folds. Whenitis zero, thereis no foldcolumn.A normalvalueis 4 or 5. The minimal useful valueis 2, although 1 still providessome information. The maximumis 12.An open foldis indicated witha column that hasa '-'at the top and'|'characters below it. This column stops where the open fold stops. Whenfoldsnest, the nested foldis one character right of the fold it's contained in.A closed foldis indicated witha '+'.These characters can be changed with the'fillchars' option.Where the fold columnis too narrow to display all nested folds, digits areshown to indicate the nesting level.The mouse can also be used to open and closefolds by clicking in thefold column:- Click ona '+' to open the closed foldat this row.- Click on any other non-blank character to close the open foldat this row.OTHER OPTIONS'foldenable''fen':Open allfolds while not set.'foldexpr''fde':Expression used for "expr" folding.'foldignore''fdi':Characters used for "indent" folding.'foldmarker''fmr':Defined markers used for "marker" folding.'foldmethod''fdm':Name of the currentfolding method.'foldminlines''fml':Minimum number of screen lines fora fold to bedisplayed closed.'foldnestmax''fdn':Maximum nesting for "indent" and "syntax" folding.'foldopen''fdo':Which kinds of commands open closed folds.'foldclose''fcl':When thefolds not under the cursor are closed.==============================================================================4. Behavior offoldsfold-behaviorWhen moving the cursor upwards or downwards and when scrolling, the cursorwill move to the first line ofa sequence of folded lines. When the cursorisalready ona folded line,it moves to the next unfolded line or the nextclosed fold.While the cursoris on folded lines, the cursoris always displayed in thefirst column. The ruler does show the actual cursor position, but since thelineis folded,it cannot be displayed there.Manymovement commands handlea sequence of folded lines like an empty line.For example, the "w" command stops once in the first column.Whenstartinga search ina closed foldit will not finda match in thecurrent fold. It's likea forward search always starts from theend of theclosed fold, whilea backwards search starts from the start of the closedfold.When inInsert mode, the cursor lineis never folded. That allows you to seewhat you type!When using an operator,a closed foldis includedasa whole. Thus "dl"deletes the whole closed fold under the cursor.ForEx commands that work on buffer lines the rangeis adjusted to alwaysstartat the first line ofa closed fold andendat the last line ofa closedfold. Thus this command::s/foo/bar/gwhen used with the cursor ona closed fold, will replace "foo" with "bar" inall lines of the fold.This does not happen for:folddoopen and:folddoclosed.When editinga buffer that has been edited before, the last usedfoldingsettings are used again. For manualfolding the definedfolds are restored.For allfolding methods the manually opened and closedfolds are restored.If this buffer has been edited in this window, the values from back then areused. Otherwise the values from thewindow where the buffer was edited lastare used.============================================================================== vim:tw=78:ts=8:noet:ft=help:norl: