寻找最大值和最小值,并从文件打印线(Finding the max and min values a

2019-09-01 02:56发布

我有有在第一列编号的文件。

100,red
101,blue
102,black

我应该写一个shell脚本,它会打印与最大和最小号线。

max=0
cat file.txt|while read LINE
do
    fir=`echo $LINE|awk '{print $2}'`
    sec=`echo $LINE|awk '{print $3}'`
    if [ $fir -gt $max ]; then
       max=$fir
    fi
    if [ $sec -gt $max ];then
        max=$sec
    fi
done

grep $max file.txt

这是我试过到目前为止寻找最大。

Answer 1:

对于我的价值:

[bash]$ cut -f1 -d"," file_name | sort -n | head -1

对于最大值:

[bash]$ cut -f1 -d"," file_name | sort -n | tail -1


Answer 2:

或者使用排序和sed

$ sort -n id | sed -n '1p;$p'
100 red
102 black

-n标志-排序数字。

如何使用它:

$ a=($(sort -n id | sed -n '1s/^\([0-9]\+\).*$/\1/p;$s/^\([0-9]\+\).*$/\1/p'))
$ echo "min=${a[0]}, max=${a[1]}"
min=100, max=102


Answer 3:

你应该只是做在整个事情awk ,如果你有GNU awk

$ awk -F, '{a[$1]=$0}END{asorti(a,b);print a[b[1]]"\n"a[b[NR]]}' file
100,red
102,black

如果你不这样做:

$ awk -F, 'NR==1{s=m=$1}{a[$1]=$0;m=($1>m)?$1:m;s=($1<s)?$1:s}END{print a[s]"\n"a[m]}' file
100,red
102,black

或者与预先分类打印第一个和最后一行:

$ sort -t',' -nk1 file | awk 'NR==1;END{print}'
100,red
102,black


Answer 4:

[bash]$ cat log
100,red
101,blue
102,black
[bash]$ all=( $(sort log | cut -f1 -d',') )
[bash]$ echo "MIN: ${all[0]} and MAX: ${all[${#all[@]}-1]}"
MIN: 100 and MAX: 102

创建使用排序元素的数组。 第一和最后的元件被包含最小值和最大值



文章来源: Finding the max and min values and printing the line from a file