利用字典实现输入两个数字,并输入加减乘除运算符,输出运算结果,若输入其他符号则退出程序
时间: 2024-10-22 13:08:45 浏览: 31
在Python中,你可以使用字典(dictionary)来作为操作表,结合用户输入来判断并执行相应的数学运算。首先,创建一个包含基本运算对应函数的字典,然后接受用户的输入,检查它是否匹配字典中的键。以下是简单的实现步骤:
```python
def calculate():
operations = {
'+': lambda x, y: x + y,
'-': lambda x, y: x - y,
'*': lambda x, y: x * y,
'/': lambda x, y: x / y if y != 0 else '错误,除数不能为零'
}
while True:
num1 = float(input("请输入第一个数字: "))
operator = input("请输入运算符 (+,-,*,/) : ")
num2 = float(input("请输入第二个数字: "))
if operator in operations:
result = operations[operator](num1, num2)
print("运算结果: ", result)
else:
print("无效的运算符,已退出")
break
calculate()
```
在这个程序中,如果输入的是加、减、乘或除,会计算两个数字的结果;如果输入了其他符号,程序会提示“无效的运算符”并退出。
阅读全文