UNIX 脚本问题

UNIX 脚本问题

我必须编写一个脚本,在其中需要显示输入数字的总和以及其中最大和最小的数字。我正在使用数组。我已经用正常的方式解决了这个问题。但是当我使用数组时,我得到总和,最大的数字,但可以获得最小的数字。我理解它是因为我的最小数字的 if 逻辑。

我的脚本:

#!/bin/bash
sum=0
small=0
big=0

echo "Please enter the number"

while(( n != -99 ));
 do
        read -a n
        arr=${#n[@]}
     for((i=0;i<$arr;i++))do
     if [ ${n[$i]} -eq -99 ]; then
        break
     elif [ ${n[$i]} -ne -99 ]; then
     sum=$((sum + n[$i]))

     if [ ${n[$i]} -gt $big ]; then
     big=${n[i]}

    elif [ ${n[$i]} -le $small ]; then
     small=${n[i]}
    fi
   fi
    done
 done

echo "Sum: $sum"
echo "Highest: $big"
echo "Lowest:  $small"

输出:

Please enter the number
12
13
14
-99
Sum: 39
Highest: 14
Lowest:  0

答案1

这对我有用,我相信这就是您想要实现的目标:

#! /bin/bash - 
NUM_SUM=0
NUM_LARGE=0
echo  "Please enter the numbers (-99 to exit):"

while [[ "$THIS_NUM" -ne '-99' ]]; do
    read -a THIS_NUM
    if [[ "$THIS_NUM" -ne '-99' ]]; then
        THIS_ARRAY+=("$THIS_NUM")
    fi
done
NUM_SMALL="${THIS_ARRAY[0]}"
for NUM in "${THIS_ARRAY[@]}"; do
    NUM_SUM=$((${NUM_SUM}+${NUM}))
    if [[ "$NUM" -gt "$NUM_LARGE" ]]; then
        NUM_LARGE="$NUM"
    elif [[ "$NUM" -lt "$NUM_SMALL" ]]; then
        NUM_SMALL="$NUM"
    fi
done
cat <<EOF
Summary:    $NUM_SUM
High Num:   $NUM_LARGE
Low Num:    $NUM_SMALL
EOF

我有这个脚本忽略-99输入,我猜您只是将其用作退出循环的方式?根据您的输入数字,我得到以下输出:

Please enter the numbers:
12
13
14
-99
Summary:    39
High Num:   14
Low Num:    12

相关内容