前言:
今天你们对“linux的求和c语言”可能比较注重,你们都想要知道一些“linux的求和c语言”的相关文章。那么小编在网摘上汇集了一些关于“linux的求和c语言””的相关资讯,希望兄弟们能喜欢,大家一起来了解一下吧!如果我们要计算一个文本文件中某一列数字的总和,给出一个文件如下:
touch test.txt
1 32 43 54 7
使用之前提到的awk指令,可以使用以下方式:
awk '{s+=$2} END {print s}' test.txt19
使用这种方式可以得到我们想要的结果,但是我们还可以使用另外一种方式:即使用shell脚本进行逐行处理。
接下来我们来剖析使用shell 脚本逐行处理文本求和
touch test.sh
#!/bin/bashsum=0cat test.txt | while read linedo temp_num=$(echo "$line" | cut -d ' ' -f 2) sum=$(( $sum + $temp_num ))doneecho "we get sum:$sum"
$ chmod +x test.sh$ ./test.sh$ we get sum:0
得到的结果是0,显然是错误的
从脚本中分析,在cat test.txt 之后将数据通过管道传递到while循环中,而while 循环的执行结果都是在一个子shell中,一旦这个子shell退出后,它里面的执行结果就会被释放。
我们在Linux中可以安装shellcheck 工具,用于检查shell 脚本的正确性,以Ubuntu为例:
sudo apt-get install shellcheck
$ shellcheck 2.shIn 2.sh line 3:cat test.txt | while read line ^------^ SC2002: Useless cat. Consider 'cmd < file | ..' or 'cmd file | ..' instead. ^--^ SC2162: read without -r will mangle backslashes.In 2.sh line 6: sum=$(( $sum + $temp_num )) ^-^ SC2030: Modification of sum is local (to subshell caused by pipeline). ^--^ SC2004: $/${} is unnecessary on arithmetic variables. ^-------^ SC2004: $/${} is unnecessary on arithmetic variables.In 2.sh line 9:echo "we get sum:$sum" ^--^ SC2031: sum was modified in a subshell. That change might be lost.For more information: -- Modification of sum is local (to ... -- sum was modified in a subshell. T... -- read without -r will mangle backs...
不使用管道命令的情况下,继续进行尝试
!/bin/bash sum=0for line in $(cat test.txt)do echo "we get line: $line" temp_num=$(echo "$line" | cut -d ' ' -f 2) sum=$(( $sum + $temp_num ))doneecho "we get sum:$sum"
得到以下结果:
$ ./2.shwe get line: 1we get line: 3we get line: 2we get line: 4we get line: 3we get line: 5we get line: 4we get line: 7we get sum:29!/bin/bash IFS=$'\n'sum=0for line in $(cat test.txt)do echo "we get line: $line" temp_num=$(echo "$line" | cut -d ' ' -f 2) sum=$(( $sum + $temp_num ))doneecho "we get sum:$sum"
从结果中可以看出,如果文本中存在空格或者tab等,读取的时候遇到空格,tab,或者换行就会停止读取了。
预期的目的应该是遇到换行才停止读取,为了达到这个目的,可以通过IFS设置以下标记,在shell脚本的开头加上:
IFS=$'\n'
!/bin/bash IFS=$'\n'sum=0for line in $(cat test.txt)do echo "we get line: $line" temp_num=$(echo "$line" | cut -d ' ' -f 2) sum=$(( $sum + $temp_num ))doneecho "we get sum:$sum"
得到的结果如下:
$ ./2.shwe get line: 1 3we get line: 2 4we get line: 3 5we get line: 4 7we get sum:19
这样得到的结果就是正确的
让我们尝试再换一种方式:
!/bin/bash sum=0while read linedo echo "line $line" temp_num=$(echo "$line" | cut -d ' ' -f 2) sum=$(( $sum + $temp_num ))done < test.txtecho "we get sum: $sum"
这种方式也可以得到正确的结果
当然,我们也可以读取指定的某一个数列,使用以下这种方式:
!/bin/bash sum=0while read col1 col2do echo "get num: $col2" sum=$(( $sum + $col2 ))done < "test.txt"echo "we get sum: $sum"
其中col1, col2就分别代表第一列,第二列,使用的时候,可以直接使用对应列的内容。
通过加上-r参数可以处理每一行中的转义字符
while read -r line
最后
在使用shell脚本进行逐行处理文本时,需要注意以下几种情况:
行文本中有空格,tab行文本中有转义字符可以使用shellcheck 工具提前对shell脚本进行检查,纠正错误
标签: #linux的求和c语言