本题要求编写一个简单计算器程序,可根据输入的运算符,对2个整数进行加、减、乘、除或求余运算。题目保证输入和输出均不超过整型范围。

输入格式:

输入在一行中依次输入操作数1、运算符、操作数2,其间以1个空格分隔。操作数的数据类型为整型,且保证除法和求余的分母非零。

输出格式:

当运算符为+-*/%时,在一行输出相应的运算结果。若输入是非法符号(即除了加、减、乘、除和求余五种运算符以外的其他符号)则输出ERROR

输入样例1:

  1. -7 / 2

输出样例1:

  1. -3

输入样例2:

  1. 3 & 6

输出样例2:

  1. ERROR

思路

根据题目描述编程即可。


代码

  1. #include <iostream>
  2. #include <algorithm>
  3. using namespace std;
  4. int main() {
  5. int operand1 = 0, operand2 = 0;
  6. char my_operator = '\0';
  7. scanf("%d %c %d", &operand1, &my_operator, &operand2);
  8. switch(my_operator) {
  9. case '+': {
  10. printf("%d\n", operand1 + operand2);
  11. } break;
  12. case '-': {
  13. printf("%d\n", operand1 - operand2);
  14. } break;
  15. case '*': {
  16. printf("%d\n", operand1 * operand2);
  17. } break;
  18. case '/': {
  19. printf("%d\n", operand1 / operand2);
  20. } break;
  21. case '%': {
  22. printf("%d\n", operand1 % operand2);
  23. } break;
  24. default:
  25. cout << "ERROR" << endl;
  26. }
  27. return 0;
  28. }