grep 文本过滤工具。
程序员文章站
2022-07-12 18:58:20
...
grep 命令是Linux系统中最重要的命令之一,其功能是从文本文件或管道数据流中筛选匹配的行和数据。
1、语法格式: grep [options 参数] [pattern 匹配模式] [file 查找的文件]
pattern 匹配模式,可以是普通的文字符号,也可以是正则表达式。
2、参数选项
-v 显示不包含匹配文本的所有行(排除行)。
-n 显示匹配的行和行号。
-i 不区分大小写(只适用于单字符),默认情况下是区分大小写的。
-c 只统计匹配的行数,不是匹配的次数。
-o 只输出匹配的内容。
-w 只匹配过滤的单词。
-E 使用扩展egrep命令。
--color=auto 为 grep 过滤的匹配字符串添加颜色。
[[email protected] test]# cat grep.txt
linux
sunwukong
zhubajie
Shaseng
tangseng
1、显示匹配行的行号。
[[email protected] test]# grep -n "zhubajie" grep.txt
3:zhubajie ## 第三行
[[email protected] test]#
2、排除 'zhubajie' 这一行不显示。
[[email protected] test]# grep -v "zhubajie" grep.txt
linux
sunwukong
Shaseng
tangseng ## 少了一行
[[email protected] test]#
3、显示所有的行号。'.' 表示匹配任意单个字符,即匹配所有的内容。
[[email protected] test]# grep -n "." grep.txt
1:linux
2:sunwukong
3:zhubajie
4:Shaseng
5:tangseng
[[email protected] test]#
4、不区分大小写匹配
[[email protected] test]# grep "sha" grep.txt ## 由于Shaseng 首字母是大写,所以没有匹配出来。
[[email protected] test]# grep -i "sha" grep.txt ## -i 不区分大小写。
Shaseng
[[email protected] test]#
5、同时匹配多个字符。
[[email protected] test]# grep "sun|zhu" grep.txt ## 匹配多个字符,需要使用扩展的 egrep
[[email protected] test]# grep -E "sun|zhu" grep.txt ## -E 参数可以实现
sunwukong
zhubajie
[[email protected] test]#
6、统计匹配到的行数。
[[email protected] test]# grep -E "sun|zhu" grep.txt
sunwukong
zhubajie
[[email protected] test]# grep -Ec "sun|zhu" grep.txt ## 只显示匹配到的行数。
2
[[email protected] test]#
7、只输出匹配到的内容。
[[email protected] test]# grep "sun" grep.txt ## 默认时,显示匹配到的行内容。
sunwukong
[[email protected] test]# grep -o "sun" grep.txt ## -o 参数,只显示匹配的内容。
sun
[[email protected] test]#
8、-w 只匹配过滤的单词
[[email protected] test]# grep -w "zhu" grep.txt ## 如果有 -w 参数就会只匹配 'zhu' 这一个单词,所以没有
[[email protected] test]# grep -w "zhubajie" grep.txt
zhubajie
[[email protected] test]#
grep 正则使用
## 文件内容
[[email protected] test]# cat grep.txt
linux
sunwukong
zhubajie
Shaseng
tangseng
bailongMa
## 过滤空行的文件或含有 'zhubajie' 的文件
[[email protected] test]# grep "^$|zhubajie" grep.txt ## 匹配不到任何内容
## -E 使用扩展egrep命令 '^$' 匹配空行。'|' 表示或的意思
[[email protected] test]# grep -En "^$|zhubajie" grep.txt
3:zhubajie
5:
7:
[[email protected] test]#
上一篇: 文本过滤工具 (grep)