在 shell 脚本中使用 expr 进行乘法



我正在制作一个基本的计算器来加、减、乘、除

加法有效,但乘法无效。当我尝试乘法时,我得到"您没有正确运行程序"响应:

$ ./calculator 4 + 5
9
$ ./calculator 4 * 5
You did not run the program correctly
Example: calculator 4 + 5

我在谷歌上搜索了一下,在那里我找到了\*代码,但仍然不起作用。有人可以为我提供解决方案或解释吗?

这是我的代码

#!/bin/bash
if [ $# != 3 ]; then  
  echo You did not run the program correctly   
  echo Example: calculator 4 + 5                
  exit 1 
fi
if [ $2 = "+" ]; then    
  ANSWER=`expr $1 + $3`    
 echo $ANSWER 
fi
if [ $2 = "*" ]; then
  ANSWER=`expr $1 \* $3`  
  echo $ANSWER 
fi
exit 0

您的代码有很多问题。这是一个修复程序。 *表示"当前目录中的所有文件"。要改为表示字面上的星号/乘法字符,您必须对其进行转义:

./calculator 3 * 2

./calculator 3 "*" 2

您还必须将"$2"双引号,否则*将再次开始表示"所有文件":

#!/bin/bash
#Calculator
#if [ `id -u` != 0 ]; then
#  echo "Only root may run this program." ; exit 1
#fi
if [ $# != 3 ]; then   
  echo "You did not run the program correctly"
  echo "Example:  calculator 4 + 5"
  exit 1
fi
# Now do the math (note quotes)
if [ "$2" = "+" ]; then echo `expr $1 + $3`
elif [ "$2" = "-" ]; then echo `expr $1 - $3`
elif [ "$2" = "*" ]; then echo `expr $1 * $3`
elif [ "$2" = "/" ]; then echo `expr $1 / $3`
fi
exit 0

*需要转义,因为它是 shell 语法中的一个特殊字符。(如果未转义,它将扩展到当前目录中所有文件的列表)。但是你只需要使用一个反斜杠来转义它:

ANSWER=`expr $1 * $3` 

对于两个元素:

#!/bin/bash
echo "Enter two numbers:"
read a
read b
mult=`expr $a * $b`
echo "Multipication:" $mult

对于数组:

#!/bin/bash
echo "Enter total numbers:"
read n
mult=1
echo "Enter Numbers:"
for (( i = 0; i < n; i++ ))
do
read a[i]
mult=`expr $mult * ${a[$i]}`
done
echo "Original numbers:" ${a[@]}
echo "Multipication:" $mult

相关内容

  • 没有找到相关文章

最新更新