1. 我想获取下面配置文件(abc.txt)中的第一行的值

canal.instance.master.address = 172.16.116.134:3306
canal.instance.master.journal.name = mysql-bin.000001
canal.instance.master.position = 120
canal.instance.master.timestamp =

2. 命令如下

grep canal.instance.master.address abc.txt | cut -d = -f 2

3. 得到的结果

 172.16.116.134:3306

4. 可以看到前面有个空格,我们把空格去掉,只需再输出一下

echo `grep canal.instance.master.address abc.txt | cut -d = -f 2`

5. 最终结果

172.16.116.134:3306

6. 分析:cut -d = -f 2

-d 的意思是:--delimiter,分界符,使用指定分界符代替制表符作为区域分界。所以 -d = 的意思就是以等号为分割点

-f 的意思是:--fields,选哪个域。所以  -f 2的意思是选分割后的第二列

7. 缺点:cut的分界符只能为单字节

// 假如test.log中的内容为: abc==def
// 以双等于号为分割点
cat test.log |cut -d == -f 2
// 报错
cut: the delimiter must be a single character

8. awk 完美的字符串分割命令,针对7中的文本

// 用双等于号进行分割
cat test.log | awk -F '==' '{print $1}'
// 我们也可以遍历分割的结果, 或者在for循环中进行结果处理
cat test.log | awk -F '==' '{for(i=1;i<=NF;i++){print $i}}'
// 我们可以先用==分割, 然后再用字母e分割
cat test.log | awk -F '[==|e]' '{for(i=1;i<=NF;i++){print $i}}'

 

Logo

更多推荐