Loading...
C++ Program to Make a Simple Calculator

C++ Program to Make a Simple Calculator

In this example, we will learn a Program to Make a Simple Calculator using switch...case statement.

To understand this example, you should have the knowledge of the following C++ programming topics:


Create a Simple Calculator

This program takes an arithmetic operator (+, -, *, /) and two operands from an user and performs the operation on those two operands depending upon the operator entered by user.


Example: Program to Simple Calculator using switch statement

# include <iostream>
using namespace std;

int main()
{
    char oper;
    float num1, num2;

    cout << "Enter operator either + or - or * or /: ";
    cin >> oper;

    cout << "Enter two operands: ";
    cin >> num1 >> num2;

    switch(oper)
    {
        case '+':
            cout << num1+num2;
            break;

        case '-':
            cout << num1-num2;
            break;

        case '*':
            cout << num1*num2;
            break;

        case '/':
            cout << num1/num2;
            break;

        default:
            // If the operator is other than +, -, * or /, error message is shown
            cout << "Error! operator is not correct";
            break;
    }

    return 0;
}

Output 1

Enter operator either + or - or * or divide : -
Enter two operands: 
3.4
8.4
3.4 - 8.4 = -5.0
Working

This program takes an operator and two operands from user.

The operator is stored in variable oper and two operands are stored in num1 and num2 respectively. Then, switch...case statement is used for checking the operator entered by user.

If user enters + then, statements for case: '+' is executed and program is terminated.

If user enters - then, statements for case: '-' is executed and program is terminated.

This program works similarly for * and / operator. But, if the operator doesn't matches any of the four character [ +, -, * and / ], default statement is executed which displays error message.


Next Example

We hope that this Example helped you develop better understanding of the concept of "Make a Simple Calculator" in C++.

Keep Learning : )

In the next Example, we will learn about C++ Prime Numbers Between Intervals Using Function.


- Related Topics