Delete and redirect lines in Vim to another file

时光总嘲笑我的痴心妄想 提交于 2019-12-05 12:02:12

You can use ex commands instead. e.g.

:1,10w file.name   Write the first ten lines

:$-9,$w file.name Write the last ten lines (the dollar sign denotes last line)


With the code below in your .vimrc you can use the command :MoveTo file.name
function! MoveLastLines(f)
  exe '$-9,$w ' . a:f    "write last ten lines to the passed filename
  $-9,$d                 "delete last ten lines
endfunction

command! -nargs=1 -range MoveTo :call MoveLastLines(<f-args>)


In normal mode the steps you mentioned (GV9k:w file.name gvd) are the most efficient in my opinion.

You can remove one step by doing this:

  • visually select the lines
  • :!> newfile.txt

This will use an external command to write the lines to the given filename, and simultaneously delete them because nothing was output from the command.

If you want to append to a file instead of overwriting it, then use >> instead of >.

While you use visual mode for selecting lines, you can delete just written down lines pressing only three keys: d'> (see :help '>).

A straightforward way of writing a range of lines to file and deleting them afterwards is to run the command

:$-9,$w path | '[,']d

However, it is inconvenient for frequent use if the file name is not constant.

Below is the function MoveToFile() implementing the command with the same name. The whole thing wraps the following two steps: write a range of lines using :write command (see :help :w_f, :help :w!, :help :w_a), then delete that range.1

command! -nargs=* -complete=file -range=% -bang -bar MoveToFile
\   :<line1>,<line2>call MoveToFile(<q-args>, <bang>0)
function! MoveToFile(fname, overwrite) range
    let r = a:firstline . ',' . a:lastline
    exe r 'w' . ' !'[a:overwrite] . fnameescape(a:fname)
    exe r 'd'
endfunction

Now you can use the above command to cover all frequent use cases. For example, to move visually selected range of lines to file use the mapping

:vnoremap <leader>m :MoveToFile

This mapping triggers semi-complete command calling :MoveToFile for the range of lines selected in Visual mode ('<,'>). You need only to type a file name and hit Enter.

If you frequently do this for the last ten lines of a buffer, create a similar mapping just for this case:

:nnoremap <leader>m :$-9,$MoveToFile

1 Specified lines are deleted into the default register overwriting its previous contents. To delete lines without affecting registers change the last command in MoveToFile() to

exe r 'd_'

In this case :delete uses the black hole register (see :help :d and :help "_) instead of the default one.

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!