linux sed命令

sed编辑器简介

sed是linux下一种常用的非交互式编辑器,不同于常用的交互式的vim编辑器,我们只能在command line输入命令并得到输出。如果不对结果进行重定向,sed命令一般不会对文件造成修改。

sed实现原理

linux sed命令_第1张图片
image

如图所示,sed在得到文件后,会将文件逐行进行处理,且把处理中的行保存在临时缓存中,当sed处理完最后一行后,会将结果由缓存输出至屏幕,且因为是在缓存中处理,sed并不会对源文件造成任何的破坏。

sed常用参数与命令

sed命令使用格式为: sed [参数] '命令' 处理文本

如: sed -i 's#hello#world#g' test.txt

参数 说明
-n 取消默认输出,只打印被sed处理后的行
-e 多重编辑,且命令顺序会影响输出结果
-f 指定一个sed脚本文件到命令行执行
-r sed使用扩展正则
-i 直接修改文档读取内容,不在屏幕上输出
命令 说明
a\ 追加,在当前行后添加一行或多行
c\ 用新文本修改(替换)当前行中的文本
d 删除行
i\ 在当前行之前插入文本
l 列出非打印字符
p 打印行
n 读取下一输入行,并从下一条命令而不是第一条命令开始处理
q 结束或退出sed
r 从文件中读取输入行
! 对所选行以外的所有行应用命令
s 用一个字符替换另一个

sed命令常用使用方法

sed一般用于行处理,可以配合各类参数,操作命令与正则表达式进行复杂的文本处理。

例:当前有一个文本,包含了我们care的字段‘bingo’

[root@localhost ~]# cat test.txt 
hello
world
hello bingo
world bingoes
bing1
not bingo tho
a test that is not exist
this is a test about bingossssss
sed bingo
go

打印:p

p是最常用的命令之一,通print,可以显示当前sed缓存中的内容,参数-n可以取消默认打印操作,当-n与p同时使用时,即可打印指定的内容。

[root@localhost ~]# sed -n '/bingo/p' test.txt 
hello bingo
world bingoes
not bingo tho
this is a test about bingossssss
sed bingo

此操作匹配了test.txt文本中的bingo,当一行有'bingo'时,打印该行。

删除:d

d命令用于删除该行,sed先将此行复制到缓存区中,然后执行sed删除命令,最后将缓存区中的结果输出至屏幕。

[root@localhost ~]# sed '/bingo/d' test.txt 
hello
world
bing1
a test that is not exist
go

屏幕得到的结果为不包含bingo的行。
注意:此命令并不会实际删除包含bingo字段的行。

替换:s

s命令是替换命令,可以替换并取代文件中的文本,s后的斜杠中的文本可以是正则表达式,后面跟着需要替换的文本。如果在后面增加g(global)命令代表进行全局替换。

[root@localhost ~]# sed 's/bingo/bango/g' test.txt
hello
world
hello bango
world bangoes
bing1
not bango tho
a test that is not exist
this is a test about bangossssss
sed bango
go

注意:此命令也不会对实际文件造成修改。如果想要修改,可加'-i'参数。如sed -i 's#bingo#bango#g' test.txt, 此命令就实际对test.txt中的文本形成了替换,且修改结果不会输出至屏幕。

指定行:逗号

sed可以选取从某行开始到某行结束的范围。行的范围可以为行号、正则表达式、或者两者的结合。

(1)行号:

[root@localhost ~]# sed -n '1,4p' test.txt
hello
world
hello bingo
world bingoes

(2)正则表达式:

[root@localhost ~]# sed '/hello/,/sed bingo/s/$/**sub**/' test.txt
hello**sub**
world**sub**
hello bingo**sub**
world bingoes**sub**
bing1**sub**
not bingo tho**sub**
a test that is not exist**sub**
this is a test about bingossssss**sub**
sed bingo**sub**
go

这条命令的意思是从hello行开始到sed bingo行结束,在每行的结尾($)替换为sub

追加:a命令

a(append)命令为追加,可以追加新文本于选取行的后面。

[root@localhost ~]# sed '/^hello/a ***appendtext***' test.txt
hello
***appendtext***
world
hello bingo
***appendtext***
world bingoes
bing1
not bingo tho
a test that is not exist
this is a test about bingossssss
sed bingo
go

插入:i命令

i(insert)命令类似于追加,可以在选取行前插入文本。

[root@localhost ~]# sed '/^hello/i ***inserttext***' test.txt
***inserttext***
hello
world
***inserttext***
hello bingo
world bingoes
bing1
not bingo tho
a test that is not exist
this is a test about bingossssss
sed bingo
go

sed通常用于文本文件的行处理,以上只是介绍了几种常用的sed使用方法,具体的其它方法详见sed, a stream editor。

你可能感兴趣的:(linux sed命令)