Group
C# Basic Data Types Overview
Objective
Write a C# program that asks the user for two numbers and an operation to perform on them (+, -, *, x, /) and displays the result.
Note: The program MUST use if statements, not switch.
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 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 chosen operation using if statements
if (operation == "+")
{
result = num1 + num2;
}
else if (operation == "-")
{
result = num1 - num2;
}
else if (operation == "*" || operation == "x")
{
result = num1 * num2;
}
else if (operation == "/")
{
if (num2 == 0) // Prevent division by zero
{
Console.WriteLine("Error: Division by zero is not allowed.");
return;
}
result = num1 / num2;
}
else
{
validOperation = false;
result = 0;
}
// Display the result or an error message for invalid operations
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 operation: +
Enter the second number: 7
5 + 7 = 12
//Example 2 (Valid Multiplication with ‘x’):
Enter the first number: 8
Enter operation: x
Enter the second number: 3
8 x 3 = 24
//Example 3 (Division Attempt by Zero):
Enter the first number: 10
Enter operation: /
Enter the second number: 0
Error: Division by zero is not allowed.
//Example 4 (Invalid Operation Entered):
Enter the first number: 9
Enter operation: ^
Enter the second number: 2
Error: Invalid operation. Please use +, -, *, x, or /.