用vim中的替换替换C语句

时间:2017-01-26 00:29:46

标签: vim vi

我想使用vim的替代函数(:%s)来搜索和替换某种代码模式。例如,如果我有类似以下的代码:

if(!foo)

我想用以下代替:

if(foo == NULL)

然而,foo只是一个例子。变量名可以是任何名称。

这是我为我的vim命令提出的:

:%s/if(!.*)/if(.* == NULL)/gc

它会正确搜索语句,但会尝试将其替换为"。*"而不是那里的变量(即" foo")。有没有办法用vim做我要问的事情?

如果没有,是否还有其他编辑器/工具可以帮我修改这些?

提前致谢!

4 个答案:

答案 0 :(得分:5)

您需要使用捕获分组反向引用才能实现这一目标:

      Pattern     String sub. flags
    |---------| |------------| |-|
:%s/if(!\(.*\))/if(\1 == NULL)/gc
         |---|    |--|
           |        ^
           |________|
 The matched string in pattern will be exactly repeated in string substitution

:help /\(

\(\)    A pattern enclosed by escaped parentheses.                 /\(/\(\) /\)
        E.g., "\(^a\)" matches 'a' at the start of a line.
        E51 E54 E55 E872 E873 

\1      Matches the same string that was matched by                     /\1 E65
        the first sub-expression in \( and \). {not in Vi}
        Example: "\([a-z]\).\1" matches "ata", "ehe", "tot", etc. 
\2      Like "\1", but uses second sub-expression,                      /\2  
   ...                                                                  /\3
\9      Like "\1", but uses ninth sub-expression.                       /\9
        Note: The numbering of groups is done based on which "\(" comes first
        in the pattern (going left to right), NOT based on what is matched
        first.

答案 1 :(得分:2)

您可以使用

:%s/if(!\(.*\))/if(\1 == NULL)/gc

通过将。*放在\(\)中,您可以创建已编号的捕获组,这意味着正则表达式将捕获内容。* 当替换开始时,然后使用\ 1,您将打印捕获的组。

答案 2 :(得分:0)

尝试以下方法:

%s/if(!\(.\{-}\))/if(\1 == NULL)/gc

量词.\{-}匹配非空单词,尽可能少(比.*更严格)。

paranthesis \(\)用于将搜索到的表达式划分为子表达式,以便您可以在替换字符串中使用这些子组。

最后,\1允许用户使用第一个匹配的子表达式,在我们的例子中,它是在paranthesis中捕获的任何内容。

我希望这更清楚,可以找到更多信息here。并感谢有意提出改进答案的评论。

答案 3 :(得分:0)

在这种情况下,宏很容易,只需执行以下操作:

qa .............. starts macro 'a'
f! .............. jumps to next '!'
x ............... erase that
e ............... jump to the end of word
a ............... starts append mode (insert)
== NULL ........ literal == NULL
<ESC> ........... stop insert mode
q ............... stops macro 'a'

:%norm @a ........ apply marco 'a' in the whole file
:g/^if(!/ norm @a  apply macro 'a' in the lines starting with if...