分享工作和学习中的点点滴滴,包括前端、后端、运维、产品等各个方面,欢迎您来关注订阅!
分类: LINUX
2021-07-13 20:21:29
在这里,我们学习中的3种方法来逐行读取文件。 |
逐行读取文件的最简单方法是在while循环中使用输入重定向。
为了演示,在此创建一个名为“ mycontent.txt”的文本文件,文件内容在下面:
[root@localhost ~]# cat mycontent.txt This is a sample file We are going through contents line by line to understand
创建一个名为“ example1.sh”的,该脚本使用输入重定向和循环:
[root@localhost ~]# cat example1.sh #!/bin/bash while read rows do echo "Line contents are : $rows " done < mycontent.txt
运行结果:
如何工作的:
Tips:可以将上面的脚本缩减为一行,如下:
[root@localhost ~]# while read rows; do echo "Line contents are : $rows"; done < mycontent.txt
第二种方法是使用cat命令和管道符|,然后使用管道符将其输出作为输入传送到while循环。
创建脚本文件“ example2.sh”,其内容为:
[root@localhost ~]# cat example2.sh #!/bin/bash cat mycontent.txt | while read rows do echo "Line contents are : $rows " done
运行结果:
如何工作的:
Tips:可以将上面的脚本缩减为一行命令,如下:
[root@localhost ~]# cat mycontent.txt |while read rows;do echo "Line contents are : $rows";done
第三种方法将通过添加$1参数,执行脚本时,在脚本后面追加文本文件名称。
创建一个名为“ example3.sh”的脚本文件,如下所示:
[root@localhost ~]# cat example3.sh #!/bin/bash while read rows do echo "Line contents are : $rows " done < $1
运行结果:
如何工作的:
通过使用awk命令,只需要一行命令就可以逐行读取文件内容。
创建一个名为“ example4.sh”的脚本文件,如下所示:
[root@localhost ~]# cat example4.sh #!/bin/bash cat mycontent.txt |awk '{print "Line contents are: "$0}'
运行结果:
本文介绍了如何使用shell脚本逐行读取文件内容,通过单独读取行,可以帮助搜索文件中的字符串。