65

sed如果它与模式匹配,我需要替换整行。例如,如果该行是“一二六三四”并且如果存在“六”,则应将整行替换为“故障”。

4

4 回答 4

98

您可以使用以下任何一种方法来做到这一点:

sed 's/.*six.*/fault/' file     # check all lines
sed '/six/s/.*/fault/' file     # matched lines -> then remove

它获取包含的完整行six并将其替换为fault.

例子:

$ cat file
six
asdf
one two six
one isix
boo
$ sed 's/.*six.*/fault/'  file
fault
asdf
fault
fault
boo

它基于此解决方案使用 Sed 替换包含字符串的整行

更一般地,您可以使用表达式sed '/match/s/.*/replacement/' file。这将在包含 的行中执行sed 's/match/replacement/'表达式match。在您的情况下,这将是:

sed '/six/s/.*/fault/' file

如果我们有“一二六八十一三四”并且我们想将“八”和“十一”作为我们的“坏”词包括在内怎么办?

在这种情况下,我们可以使用-efor 多个条件:

sed -e 's/.*six.*/fault/' -e 's/.*eight.*/fault/' file

等等。

或者还有:

sed '/eight/s/.*/XXXXX/; /eleven/s/.*/XXXX/' file
于 2013-05-08T12:15:46.240 回答
16

上面的答案对我来说很好,只是提到了另一种方式

匹配单个模式并替换为新模式:

sed -i '/six/c fault' file

匹配多个模式并替换为新模式(连接命令):

sed -i -e '/one/c fault' -e '/six/c fault' file
于 2017-04-09T09:36:49.087 回答
4

将包含指定字符串的整行替换为该行的内容

文本文件:

Row: 0 last_time_contacted=0, display_name=Mozart, _id=100, phonebook_bucket_alt=2
Row: 1 last_time_contacted=0, display_name=Bach, _id=101, phonebook_bucket_alt=2

单串:

$ sed 's/.* display_name=\([[:alpha:]]\+\).*/\1/'
output:
100
101

由空格分隔的多个字符串:

$ sed 's/.* display_name=\([[:alpha:]]\+\).* _id=\([[:digit:]]\+\).*/\1 \2/'
output:
Mozart 100
Bach 101

调整正则表达式以满足您的需求

[:alpha] 和 [:digit:] 是字符类和括号表达式

于 2020-11-10T14:56:14.740 回答
3

这可能对您有用(GNU sed):

sed -e '/six/{c\fault' -e ';d}' file

或者:

sed '/six/{c\fault'$'\n'';d}' file
于 2013-05-08T14:05:49.040 回答