Group
C# Basic Data Types Overview
Objective
1. Prompt the user to enter a real number.
2. Use a `try..catch` block to handle possible errors, such as non-numeric input or negative numbers.
3. If the input is valid and non-negative, calculate and display the square root.
4. If an error occurs, display an appropriate message to the user.
5. Test the program with different types of inputs to see if it behaves as expected.
Write a C# program to ask the user for a real number and display its square root. Errors must be trapped using "try..catch".
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
try
{
// Prompt user for a real number
Console.Write("Enter a real number: ");
double number = Convert.ToDouble(Console.ReadLine());
// Check if the number is negative
if (number < 0)
{
Console.WriteLine("Error: Cannot calculate the square root of a negative number.");
}
else
{
// Calculate and display the square root
double result = Math.Sqrt(number);
Console.WriteLine($"The square root of {number} is {result}");
}
}
catch (FormatException)
{
// Handle case where input is not a valid number
Console.WriteLine("Error: Invalid input. Please enter a numeric value.");
}
catch (Exception ex)
{
// Handle any other unexpected errors
Console.WriteLine($"An unexpected error occurred: {ex.Message}");
}
}
}
Output
//Example 1 (Valid Input):
Enter a real number: 25
The square root of 25 is 5
//Example 2 (Negative Number):
Enter a real number: -4
Error: Cannot calculate the square root of a negative number.
//Example 3 (Invalid Input):
Enter a real number: hello
Error: Invalid input. Please enter a numeric value.