- 论坛徽章:
- 0
|
grep 强大的搜索工具
使用的时候可以加上别名这样可以一眼看出搜索到的关键词
alias grep='grep --color=auto'
参数: -n显示行号 -i搜索时不区分大小写 -v反向显示,显示没有搜索词的部分
【】 括号中间可以表示2个数值中相同的值 如 tast test 要同时搜索他们时可以这样写
列: grep -n 't[ae]st' gz.txt gz.txt为搜索的文档
#grep -n 'oo' gz.txt
1:"Open Source" is a good mechanism to develop programs.
2:apple is my favorite food.
3:Football game is not use feet only.
9:Oh! The soup taste good.
18:google is the best tools for search keyword.
19:goooooogle yes!
【^g】oo 如果不想要oo前面显示g 可以这样写
#grep -n '[^g]oo' gz.txt
2:apple is my favorite food.
3:Football game is not use feet only.
18:google is the best tools for search keyword.
19:goooooogle yes!
如果不想显示所有的小写字母 = grep -n '[^a-z]oo' gz.txt
同样大写是 = grep -n '[^A-Z]oo' gz.txt
数字 = grep -n '[^0-9]oo' gz.txt
组合起来 = grep -n '[^a-zA-Z0-9]' gz.txt
注意这里强调的是【^】 括号中加 ^ 来去除搜索词前的 指定值,所以不要忘记加 ^
如果不加 ^ 就像下面的结果了
[root@mini 88]# grep -n '[0-9]' gz.txt
5:However, this dress is about $ 3183 dollars.
15:You are the best is mean you are the no. 1.
可以看出这样搜索了 包含0-9的值
行首与行尾字符 ^ $:
同样搜索the但只要the在行首的 也就是在一列最前面 写法如下
grep -n '^the' gz.txt 在要搜索的关键词前 加 ^
12:the symbol '*' is represented as start.
怎么搜索所有a-z在行首的值呢?
grep -n '^[a-z]' gz.txt
不想开头是英文字母的怎么搜索呢?
grep -n '^[^a-zA-Z] gz.txt
1:"Open Source" is a good mechanism to develop programs.
21:# I am VBird
也可以这样写
grep -in '^[^a-z]' gz.txt 还记得吗加个 i 不区分大小写
^加在【】外面是搜索开始是什么的值 加在【^】 括号里是搜索不包含它后面的值
下面说行尾怎么搜索
这里需要用到 $ 这个个符号
搜索结尾是the结尾的列
[root@mini 88]# grep -n 'the$' gz.txt
12:the symbol '*' is represented as start.the
如果是要搜索以 . 结尾的列,需要加上 \ 因为 点 有特殊意义所以要加跳脱字符\来解除其特殊意义
grep -n '\.' gz.txt
搜索没有数据的那列
[root@mini 88]# grep -n '^$' gz.txt 行首+行尾
19:
下面命令的含义是?
grep -vn '^$' gz.txt |grep -v '^#'
. 任意一个字符 * 重复字符
. 代表任意一个字符
找出前后是gd g??d 中间2位随意的值,在这里中间2位就可以用 . 来代替
[root@mini 88]# grep -n 'g..d' gz.txt
1:"Open Source" is a good mechanism to develop programs.
9:Oh! The soup taste good.
16:The world <Happy> is the same with "glad"
* 表示重复字符
grep -n 'o*' gz.txt 这里一个o会搜索出拥有一个o 或者空字符的所有值
grep -n 'oo*' gz.txt 这样表示第一个o必须存在,第二o则可以有无限多个
grep -n 'ooo* gz.txt 前面2个o必须存在,第3个o则可以有无限多个
*前面那位值 是*的定义 而不是必要条件 请在*前加上定义 然后在加上条件
限定连续 RE 字符范围 {} RE:表示正则表达式
因为 { 与 } 的符号在 shell 是有特殊意义的,
因此, 我们必须要使用跳脱字符 \ 来让他失去特殊意义才行。
搜索2个oo的字符串,需要这样写
[root@mini 88]# grep -n 'o\{2\}' gz.txt
1:"Open Source" is a good mechanism to develop programs.
2:apple is my favorite food.
3:Football game is not use feet only.
9:Oh! The soup taste good.
18:google is the best tools for search keyword.
20:goooooogle yes!
写法格式 grep -n 'go\{2,5\}g' gz.txt 找出 g 后面2到5个 o 然后再接一个 g 的字符串
前后的2个g 是在o这个条件下 前后想要什么 {}中实际还是o的需求定义
如果想要的是 2 个 o 以上的 goooo....g 呢?除了可以是 gooo*g ,也可以是:
grep -n 'go\{2,\}g' gz.txt
|
|