9

我想用多行替换文件中的单行,例如,我想替换特定的函数调用,例如,

foo(1,2)

if (a > 1) {  
    foo(1,2)  
} else {  
    bar(1,2)  
}

我怎样才能在 bash 中做到这一点?

4

3 回答 3

8

这就是 seds命令的用途:

shopt -s extglob

ORIG="foo(1,2)"
REP="if (a > 1) {  
      foo(1,2)  
} else {  
      bar(1,2)  
}"

REP="${REP//+(
)/\\n}"

sed "s/$ORIG/$REP/g" inputfile > outputfile

请注意,仅当您想以我在第二行中所做的格式化方式REP="${REP//\+( )/\\n}"定义时才需要这些行。如果您刚开始REP使用它可能会更\n简单。\tREP

编辑:注意!你需要逃跑'\如果你有他们,你也需要在你的 REP 中逃跑。

针对OP的问题进行编辑

要更改原始文件而不创建新文件,请使用 sed 的--in-place标志,如下所示:

sed --in-place "s/$ORIG/$REP/g" inputfile

请小心使用--in-place国旗。在运行之前进行备份,因为所有更改都是永久性的。

于 2012-05-14T02:26:14.180 回答
0

这可能对您有用:

cat <<\! |
> a
> foo(1,2)
> b
> foo(1,2)
> c
> !
> sed '/foo(1,2)/c\
> if (a > 1) {\
>     foo(1,2)\
> } else {\
>     bar(1,2)\
> }' 
a
if (a > 1) {
    foo(1,2)
} else {
    bar(1,2)
}
b
if (a > 1) {
    foo(1,2)
} else {
    bar(1,2)
}
c
于 2012-05-14T13:12:16.183 回答
0

要在文件中就地替换字符串,您可以使用 ed (在问题中方便地标记)。假设您的输入文件如下所示:

line before
foo(1,2)
line between
    foo(1,2)
line after

您可以编写一个脚本来进行替换并将其存储在一个文件中,例如script.ed

%s/\([[:blank:]]*\)foo(1,2)/\1if (a > 1) {\
\1    foo(1,2)\
\1} else {\
\1    bar(1,2)\
\1}/
w
q

请注意,这考虑了缩进;在原始文件中的函数调用之前,每一行都带有任何空白,因此结果如下所示:

$ ed -s infile < script.ed
$ cat infile
line before
if (a > 1) {
    foo(1,2)
} else {
    bar(1,2)
}
line between
    if (a > 1) {
        foo(1,2)
    } else {
        bar(1,2)
    }
line after

如果函数调用不是单独在一行上,而是可能由不应删除的其他字符前置,您可以将其用作替换的第一行:

%s/\([[:blank:]]*\)\(.*\)foo(1,2)/\1\2if (a > 1) {\

所以这

    } something; foo(1,2)

会成为

    } something; if (a > 1) {
        foo(1,2)
    } else {
        bar(1,2)
    }

缩进仍然得到适当的考虑。

于 2018-05-30T17:56:33.420 回答