Group
C# Basic Data Types Overview
Objective
1. Prompt the user to enter a single character.
2. Use a `switch` statement to check if the character is:
- A lowercase vowel (`a, e, i, o, u`).
- A digit (`0-9`).
- Any other symbol.
3. Display an appropriate message indicating the category of the input.
4. Ensure the program handles non-character inputs gracefully.
Write a C# program to ask the user for a symbol and respond whether it is a vowel (in lowercase), a digit, or any other symbol, using "switch".
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
// Ask the user to enter a character
Console.Write("Enter a single character: ");
char input = Console.ReadKey().KeyChar;
Console.WriteLine(); // Move to the next line
// Classify the input using a switch statement
switch (input)
{
// Check for lowercase vowels
case 'a':
case 'e':
case 'i':
case 'o':
case 'u':
Console.WriteLine("The character is a lowercase vowel.");
break;
// Check for digits
case '0':
case '1':
case '2':
case '3':
case '4':
case '5':
case '6':
case '7':
case '8':
case '9':
Console.WriteLine("The character is a digit.");
break;
// Default case for any other character
default:
Console.WriteLine("The character is another type of symbol.");
break;
}
}
}
Output
// Example 1: User enters 'a'
Enter a single character: a
The character is a lowercase vowel.
//Example 2: User enters '5'
Enter a single character: 5
The character is a digit.
//Example 3: User enters '#'
Enter a single character: #
The character is another type of symbol.