编写程序,循环输入两个数字,并输入加减乘除运算符号,输出运算结果。若输入其它符号,则退出程序
时间: 2023-05-24 10:07:23 浏览: 108
```
while True:
num1 = float(input("请输入第一个数字:"))
num2 = float(input("请输入第二个数字:"))
operator = input("请输入运算符号(+、-、*、/):")
if operator == "+":
print(num1, "+", num2, "=", num1 + num2)
elif operator == "-":
print(num1, "-", num2, "=", num1 - num2)
elif operator == "*":
print(num1, "*", num2, "=", num1 * num2)
elif operator == "/":
if num2 == 0:
print("除数不能为0,请重新输入")
else:
print(num1, "/", num2, "=", num1 / num2)
else:
print("输入的运算符号有误,程序已退出")
break
```
注意:程序中进行除法运算时,需要特判除数为0的情况,避免程序出现错误。
相关问题
用fortran语言编写一个小型计算器程序,用键盘输入两个数字,再根据运算符号判断这两个数字做加减乘除的哪一项运算,每做完一次运算后,让用户来决定是否还要进行新的运算
以下是用 Fortran 语言编写的一个小型计算器程序的示例代码:
program calculator
implicit none
character(len=1) :: operator
real :: num1, num2, result
do
write(*,'(a)',advance='no') "请输入第一个数字: "
read(*,*) num1
write(*,'(a)',advance='no') "请输入运算符号 (+, -, *, /): "
read(*,*) operator
write(*,'(a)',advance='no') "请输入第二个数字: "
read(*,*) num2
if (operator .eq. "+") then
result = num1 + num2
else if (operator .eq. "-") then
result = num1 - num2
else if (operator .eq. "*") then
result = num1 * num2
else if (operator .eq. "/") then
result = num1 / num2
else
write(*,*) "无效的运算符号"
end if
write(*,'(a,f0.2)') "结果是: ", result
write(*,'(a)',advance='no') "是否继续进行运算 (y/n)? "
read(*,*) operator
end do
end program calculator
程序的工作流程是:
1. 使用 `do` 循环来控制运算的次数。
2. 使用 `write` 和 `read` 语句读入两个数字和运算符号。
3. 使用 `if` 语句根据运算符号判断这两个数字做加减乘除的哪一项运算。
4. 使用 `write` 语句输出运算结果。
5. 使用 `write` 和 `read` 语句询问用户是否继续进行新的运算。
如果用户输入的是 "y",则继续循环;如果输入的是 "n",则退出循环并结束程序。
C++,简单计算器,输入两个数和一个符号,识别后计算结果(加减乘除余),若输入不合要求,给出提示。可循环运行,按z退出
在C++中,你可以编写一个简单的命令行计算器程序来实现这个功能。以下是一个基本的示例,它使用`cin`获取用户输入,然后根据输入的运算符进行相应的计算:
```cpp
#include <iostream>
using namespace std;
// 定义计算函数,处理四种基本运算
double calculate(double a, double b, char op) {
switch (op) {
case '+':
return a + b;
case '-':
return a - b;
case '*':
return a * b;
case '/':
// 检查除数是否为0,避免运行时错误
if (b == 0) {
cout << "错误:除数不能为0." << endl;
return 0;
}
return a / b;
case '%':
// 余数运算
return static_cast<int>(a % b);
default:
// 如果输入无效操作符,提供提示
cout << "错误:无效的操作符,请输入+、-、*、/或%." << endl;
return 0;
}
}
int main() {
double num1, num2;
char operatorSymbol;
do {
cout << "请输入第一个数字: ";
cin >> num1;
cout << "请输入第二个数字: ";
cin >> num2;
cout << "请输入运算符 (+,-,*,/,%) : ";
cin >> operatorSymbol;
double result = calculate(num1, num2, operatorSymbol);
if (result != 0) {
cout << "计算结果: " << result << endl;
}
// 提供退出选项
cout << "是否继续?(输入'y'继续,'z'退出): ";
char choice;
cin >> choice;
} while (choice != 'z');
return 0;
}
```
在这个程序中,我们首先定义了一个`calculate`函数,根据用户输入的运算符进行计算并返回结果。主函数中有一个无限循环,直到用户输入'z'为止,期间会不断请求新的输入并显示计算结果。
阅读全文