Group
C# Basic Data Types Overview
Objective
1. Prompt the user to enter a single character.
2. Use `if` statements to check if the character is:
- An uppercase vowel (`A, E, I, O, U`).
- A lowercase vowel (`a, e, i, o, u`).
- A digit (`0-9`).
- Any other symbol.
3. Display a message indicating the classification of the input.
4. Ensure the program handles non-character inputs properly.
Write a C# program to ask the user for a symbol and answer if it is an uppercase vowel, a lowercase vowel, a digit, or any other symbol, using "if".
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
// Ask the user to enter a single character
Console.Write("Enter a single character: ");
char input = Console.ReadKey().KeyChar;
Console.WriteLine(); // Move to the next line
// Check if the input is an uppercase vowel
if (input == 'A' || input == 'E' || input == 'I' || input == 'O' || input == 'U')
{
Console.WriteLine("The character is an uppercase vowel.");
}
// Check if the input is a lowercase vowel
else if (input == 'a' || input == 'e' || input == 'i' || input == 'o' || input == 'u')
{
Console.WriteLine("The character is a lowercase vowel.");
}
// Check if the input is a digit (0-9)
else if (input >= '0' && input <= '9')
{
Console.WriteLine("The character is a digit.");
}
// If it's neither a vowel nor a digit, classify it as another symbol
else
{
Console.WriteLine("The character is another type of symbol.");
}
}
}
Output
//Example 1: User enters 'E'
Enter a single character: E
The character is an uppercase vowel.
//Example 2: User enters 'i'
Enter a single character: i
The character is a lowercase vowel.
//Example 3: User enters '5'
Enter a single character: 5
The character is a digit.
//Example 4: User enters '#'
Enter a single character: #
The character is another type of symbol.