我真的不太了解数组,但我需要知道如何查找和打印数组的最大和最小值。该数组由读命令预定义,将提示用户输入n个整数。
如何将读取输入分配给数组并查找并显示数组的最大值和最小值?
有没有办法测试数组元素以查看它们是否都是整数?
#!/bin/bash
read -a integers
biggest=${integers[0]}
smallest=${integers[0]}
for i in ${integers[@]}
do
if [[ $i -gt $biggest ]]
then
biggest="$i"
fi
if [[ $i -lt $smallest ]]
then
smallest="$i"
fi
done
echo "The largest number is $biggest"
echo "The smallest number is $smallest"
答案 0 :(得分:9)
一般的想法是迭代数组一次并跟踪到目前为止在每一步看到的max
和min
。
一些评论和解释在线(以#
为前缀)
# This is how to declare / initialize an array:
arrayName=(1 2 3 4 5 6 7)
# Use choose first element of array as initial values for min/max;
# (Defensive programming) - this is a language-agnostic 'gotcha' when
# finding min/max ;)
max=${arrayName[0]}
min=${arrayName[0]}
# Loop through all elements in the array
for i in "${arrayName[@]}"
do
# Update max if applicable
if [[ "$i" -gt "$max" ]]; then
max="$i"
fi
# Update min if applicable
if [[ "$i" -lt "$min" ]]; then
min="$i"
fi
done
# Output results:
echo "Max is: $max"
echo "Min is: $min"
答案 1 :(得分:6)
如果您需要比较(已签名或未签名) INTegers ,请尝试此操作:
#!/bin/bash
arr=( -10 1 2 3 4 5 )
min=0 max=0
for i in ${arr[@]}; do
(( $i > max || max == 0)) && max=$i
(( $i < min || min == 0)) && min=$i
done
echo "min=$min
max=$max"
<强>输出强>
min=-10
max=5
<强>说明强>
arr=( )
是数组的声明((...))
是一个算术命令,如果表达式非零,则返回退出状态0;如果表达式为零,则返回1。如果需要副作用(赋值),也用作“let”的同义词。请参阅http://mywiki.wooledge.org/ArithmeticExpression [[
是一个类似于[
命令(但功能更强大)的bash关键字。请参阅http://mywiki.wooledge.org/BashFAQ/031和http://mywiki.wooledge.org/BashGuide/TestsAndConditionals除非您正在为POSIX sh撰稿,否则我们建议[[
foo || bar
会运行bar:[[ -d $foo ]] || { echo 'ohNoes!' >&2; exit 1; }
cmd1 && cmd2
:执行cmd1,然后如果退出状态为0(true),则执行cmd2。请参阅http://mywiki.wooledge.org/BashGuide/TestsAndConditionals 答案 2 :(得分:3)
使用sort的一种有趣的方式:
如果你有一个整数数组,你可以使用sort
对它进行排序,然后选择第一个和最后一个元素来获得最小和最大元素,如:
{ read min; max=$(tail -n1); } < <(printf "%s\n" "${array[@]}" | sort -n)
因此,如果你想提示用户说10个整数,检查用户是否输入了整数然后对它们进行排序,你可以这样做:
#!/bin/bash
n=10
array=()
while ((n));do
read -p "[$n] Give me an integer: " i
[[ $i =~ ^[+-]?[[:digit:]]+$ ]] || continue
array+=($i)
((--n))
done
# Sort the array:
{ read min; max=$(tail -n1); } < <(printf "%s\n" "${array[@]}" | sort -n)
# print min and max elements:
echo "min=$min"
echo "max=$max"