Using vim to delete all lines except those that match an arbitrary set of strings

14,572

Solution 1

The :global command that you reference in your question actually doesn't just take literal strings, it handles any regular expression. So, you just need to come up with one that has two branches, one for John and one for Dave. Voila:

:g!/Dave\|John/d

Note that this simplistic one would also match Johnny; you probably want to limit the matches to whole keywords:

:g!/\<\(Dave\|John\)\>/d

Regular expressions are a powerful feature of Vim; it's worthwhile to learn more about them. Get started at :help regular-expression.

Solution 2

Following should do it

:v/\v(Dave|John)/d

Breakdown

:v                  matches all lines not containing the search expression 
/\vDave|John        search expression
/d                  execute delete on all those lines 
Share:
14,572

Related videos on Youtube

navid
Author by

navid

I love programming! (especially .NET now)

Updated on September 18, 2022

Comments

  • navid
    navid over 1 year

    I use vim to remove all lines except those that match a particular string, e.g.

    :g!/[string that I want to remain in the editor]/d

    Works great. But what I really want, and haven't found anywhere, is a way to use vim to remove all except for multiple strings.

    For example, let's say I have a file open with the following information:

    Dave came at 12PM
    Lucy came at 11AM
    Trish came at 5PM
    John ate lunch at 2PM
    Virgil left at 3PM
    Dave left at 6PM
    

    and I want to only be left with events that mention Dave and John -- what vim command could I use to just end up with:

    Dave came at 12PM
    John ate lunch at 2PM
    Dave left at 6PM
    

    I realize I can use command-line tools like findstr in Windows and others in *nix, but I'm in vim pretty often and haven't been able to some up with any regex or vim command that will do this. Thank you!

  • Ingo Karkat
    Ingo Karkat almost 10 years
    Use of :s to remove entire lines is more cumbersome than the :g from the question. And that [^Dave|John] is nonsense.
  • navid
    navid almost 10 years
    OMG I forgot to escape the pipe when I tried that. I'll do that now! Thank you.
  • Ingo Karkat
    Ingo Karkat almost 10 years
    That, or use the \v "very magic" modifier that lets you omit most backslashes, as in Lieven Keersmaekers's answer.
  • navid
    navid almost 10 years
    That was it. I escaped everything in my regex but somehow overlooked the pipe. :)
  • Kevin
    Kevin almost 10 years
    To save a character, you can use :v instead of :g!.