0

我正在尝试制作一个计算器。用户输入数字 1,选择和操作,输入数字 2,然后选择另一个操作或显示答案。

例如。1 + 1 = 或 1 + 1 + 2 + 1 =

这两个都应该是可能的。

read -p "what's the first number? " n1
PS3="what's the operation? "
select ans in add subtract multiply divide equals; do
case $ans in 
    add) op='+' ; break ;;
    subtract) op='-' ; break ;;
    multiply) op='*' ; break ;;
    divide) op='/' ; break ;;
    *) echo "invalid response" ;;
esac
done
read -p "what's the second number? " n2
ans=$(echo "$n1 $op $n2" | bc -l)
printf "%s %s %s = %s\n\n" "$n1" "$op" "$n2" "$ans"

exit 0

这是我到目前为止所写的内容,但我无法弄清楚如何让用户选择“等于”或循环返回以输入另一个操作。有什么想法可以在这里对我的代码做些什么吗?我整天都被困在这上面。

  • 我不希望用户自己输入方程式,我希望他们从列表中进行选择。
4

3 回答 3

1

本质上,您必须在该代码周围放置一个循环,以便它读取一个数字然后重复选择一个操作。建立公式。当用户选择“等于”时,跳出外循环并计算公式。在伪代码中:

formula=""
while true; do
  get a number
  formula+="$number"
  select an operation
    case $op in
    ...
    equals) break 2 ;; # need to break out of 2 levels, the select and the while
    esac
  done
  formula+="$op"
done
ans=$(bc -l <<< "$formula")
printf "%s = %s\n" "$formula" "$ans"
于 2013-01-17T18:36:07.260 回答
0

我会让用户一口气输入整个方程式。例如

read -p "enter equation" equate
ans=$(bc -l <<< "${equate%%=*})"
echo ${equate%%=*} = $ans

<<< 是这里的字符串,字符串的内容作为标准输入输入到 cmd。

%%=* 在可能已放入的 = 之后的任何事物的等价变量条中。

于 2013-01-17T14:45:58.443 回答
0
#!/bin/bash

read -p "what's the first number? " n1
PS3="what's the operation? "
select ans in add subtract multiply divide equals; do
case $ans in 
    add) op='+' ; break ;;
    subtract) op='-' ; break ;;
    multiply) op='*' ; break ;;
    divide) op='/' ; break ;;
    *) echo "invalid response" ;;
esac
done
read -p "what's the second number? " n2
ans=$(echo "$n1 $op $n2" | bc -l)
printf "%s %s %s = %s\n\n" "$n1" "$op" "$n2" "$ans"

exit 0
于 2013-01-17T14:46:36.807 回答