强制Vi/Vim仅在retab上使用前导选项卡!

JR *_*ens 13 vi vim

有没有办法强制vim使用制表符进行初始缩进,但是在运行retab时!命令不用制表符替换内部字间距?

DrA*_*rAl 16

根据我的经验,最好的方法是使用自定义功能:

" Retab spaced file, but only indentation
command! RetabIndents call RetabIndents()

" Retab spaced file, but only indentation
func! RetabIndents()
    let saved_view = winsaveview()
    execute '%s@^\( \{'.&ts.'}\)\+@\=repeat("\t", len(submatch(0))/'.&ts.')@'
    call winrestview(saved_view)
endfunc
Run Code Online (Sandbox Code Playgroud)

然后你可以使用:

:RetabIndents
Run Code Online (Sandbox Code Playgroud)

将所有前导空格替换为制表符,但不影响其他字符后的制表符.它假定'ts'设置正确.通过执行以下操作,您可以通过很长的方式来制作未对齐的文件:

:set ts=8     " Or whatever makes the file looks like right
:set et       " Switch to 'space mode'
:retab        " This makes everything spaces
:set noet     " Switch back to 'tab mode'
:RetabIndents " Change indentation (not alignment) to tabs
:set ts=4     " Or whatever your coding convention says it should be
Run Code Online (Sandbox Code Playgroud)

你会最终有一个文件,其中的所有前导空格是标签,以便人们可以看看它在任何他们想要的格式,但在所有的结尾有空白的空间,使所有最终的行注释,表格等排队适当的任何标签宽度.

编辑

'exe'行的解释:

execute '%s@^\( \{'.&ts.'}\)\+@\=repeat("\t", len(submatch(0))/'.&ts.')@'

" Execute the result of joining a few strings together:

%s               " Search and replace over the whole file
@....@....@      " Delimiters for search and replace
^                " Start of line
\(...\)          " Match group
 \{...}          " Match a space the number of times in the curly braces
&ts              " The current value of 'tabstop' option, so:
                 " 'string'.&ts.'string' becomes 'string4string' if tabstop is 4
                 " Thus the bracket bit becomes \( \{4}\)
\+               " Match one or more of the groups of 'tabstop' spaces (so if
                 " tabstop is 4, match 4, 8, 12, 16 etc spaces
@                " The middle delimiter
\=               " Replace with the result of an expression:
repeat(s,c)      " Make a string that is c copies of s, so repeat('xy',4) is 'xyxyxyxy'
"\t"             " String consisting of a single tab character
submatch(0)      " String that was matched by the first part (a number of multiples 
                 " of tabstop spaces)
len(submatch(0)) " The length of the match
/'.&ts.'         " This adds the string "/4" onto the expression (if tabstop is 4),
                 " resulting in len(submatch(0))/4 which gives the number of tabs that
                 " the line has been indented by
)                " The end of the repeat() function call

@                " End delimiter
Run Code Online (Sandbox Code Playgroud)