出于某种原因,我似乎找不到一个直截了当的答案,我现在有点时间紧张。如何使用sed命令在匹配特定字符串的第一行之后插入选择的文本行呢?我有……
CLIENTSCRIPT="foo"
CLIENTFILE="bar"
我想在CLIENTSCRIPT=行之后插入一行,导致…
CLIENTSCRIPT="foo"
CLIENTSCRIPT2="hello"
CLIENTFILE="bar"
出于某种原因,我似乎找不到一个直截了当的答案,我现在有点时间紧张。如何使用sed命令在匹配特定字符串的第一行之后插入选择的文本行呢?我有……
CLIENTSCRIPT="foo"
CLIENTFILE="bar"
我想在CLIENTSCRIPT=行之后插入一行,导致…
CLIENTSCRIPT="foo"
CLIENTSCRIPT2="hello"
CLIENTFILE="bar"
当前回答
一个POSIX兼容的,使用s命令:
sed '/CLIENTSCRIPT="foo"/s/.*/&\
CLIENTSCRIPT2="hello"/' file
其他回答
尝试使用GNU sed执行此操作:
sed '/CLIENTSCRIPT="foo"/a CLIENTSCRIPT2="hello"' file
如果你想替换在原地,使用
sed -i '/CLIENTSCRIPT="foo"/a CLIENTSCRIPT2="hello"' file
输出
CLIENTSCRIPT="foo"
CLIENTSCRIPT2="hello"
CLIENTFILE="bar"
Doc
查看sed文档并搜索\a(追加)
注意标准sed语法(就像在POSIX中一样,所以所有符合sed的实现都支持(GNU, OS/X, BSD, Solaris…)):
sed '/CLIENTSCRIPT=/a\
CLIENTSCRIPT2="hello"' file
或者在一行上:
sed -e '/CLIENTSCRIPT=/a\' -e 'CLIENTSCRIPT2="hello"' file
(-expression(以及-files的内容)用换行符连接,组成sed解释的sed脚本)。
用于就地编辑的-i选项也是一个GNU扩展,一些其他实现(如FreeBSD的)支持-i”。
另外,为了可移植性,你可以使用perl:
perl -pi -e '$_ .= qq(CLIENTSCRIPT2="hello"\n) if /CLIENTSCRIPT=/' file
或者你可以用ed或ex:
printf '%s\n' /CLIENTSCRIPT=/a 'CLIENTSCRIPT2="hello"' . w q | ex -s file
我有一个类似的任务,并不能得到上述perl解决方案的工作。
以下是我的解决方案:
我的名字叫perl - f
解释:
使用正则表达式搜索/etc/mysql/my.cnf文件中仅包含[mysqld]的一行,并将其替换为
(mysqld) Collation-server = utf8_unicode_ci
在包含[mysqld]的行之后有效地添加sort -server = utf8_unicode_ci行。
I had to do this recently as well for both Mac and Linux OS's and after browsing through many posts and trying many things out, in my particular opinion I never got to where I wanted to which is: a simple enough to understand solution using well known and standard commands with simple patterns, one liner, portable, expandable to add in more constraints. Then I tried to looked at it with a different perspective, that's when I realized i could do without the "one liner" option if a "2-liner" met the rest of my criteria. At the end I came up with this solution I like that works in both Ubuntu and Mac which i wanted to share with everyone:
insertLine=$(( $(grep -n "foo" sample.txt | cut -f1 -d: | head -1) + 1 ))
sed -i -e "$insertLine"' i\'$'\n''bar'$'\n' sample.txt
在第一个命令中,grep查找包含“foo”的行号,cut/head选择第一次出现的行号,算术运算将第一次出现的行号加1,因为我想在出现之后插入。 在第二个命令中,它是一个就地文件编辑,“i”用于插入:一个ansi-c引用的新行,“bar”,然后另一个新行。结果是在“foo”行之后添加了包含“bar”的新行。这两个命令都可以扩展为更复杂的操作和匹配。
一个POSIX兼容的,使用s命令:
sed '/CLIENTSCRIPT="foo"/s/.*/&\
CLIENTSCRIPT2="hello"/' file