Group
C# Basic Data Types Overview
Objective
Write a C# program that asks the user for two numbers and an operation (+, -, *, x, /) and then displays the result.
Note: You MUST use a switch statement, not if.
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
// Prompt the user to enter the first number
Console.Write("Enter the first number: ");
double num1;
// Validate input
while (!double.TryParse(Console.ReadLine(), out num1))
{
Console.Write("Invalid input. Enter a valid number: ");
}
// Prompt the user to enter an operation
Console.Write("Enter the operation (+, -, *, x, /): ");
string operation = Console.ReadLine();
// Prompt the user to enter the second number
Console.Write("Enter the second number: ");
double num2;
// Validate input
while (!double.TryParse(Console.ReadLine(), out num2))
{
Console.Write("Invalid input. Enter a valid number: ");
}
double result;
bool validOperation = true;
// Perform the calculation using a switch statement
switch (operation)
{
case "+":
result = num1 + num2;
break;
case "-":
result = num1 - num2;
break;
case "*":
case "x": // Accept both '*' and 'x' for multiplication
result = num1 * num2;
break;
case "/":
if (num2 == 0) // Prevent division by zero
{
Console.WriteLine("Error: Division by zero is not allowed.");
return;
}
result = num1 / num2;
break;
default:
validOperation = false;
result = 0;
break;
}
// Display the result or an error message if the operation is invalid
if (validOperation)
{
Console.WriteLine($"{num1} {operation} {num2} = {result}");
}
else
{
Console.WriteLine("Error: Invalid operation. Please use +, -, *, x, or /.");
}
}
}
Output
//Example 1 (Valid Addition Operation):
Enter the first number: 5
Enter the operation: +
Enter the second number: 7
5 + 7 = 12
//Example 2 (Valid Multiplication with ‘x’):
Enter the first number: 8
Enter the operation: x
Enter the second number: 3
8 x 3 = 24
//Example 3 (Division Attempt by Zero):
Enter the first number: 10
Enter the operation: /
Enter the second number: 0
Error: Division by zero is not allowed.
//Example Execution 4 (Invalid Operation Entered):
Enter the first number: 9
Enter the operation: ^
Enter the second number: 2
Error: Invalid operation. Please use +, -, *, x, or /.