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:
- 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 if it's a vowel (in lowercase), 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 character
Console.Write("Enter a single character: ");
char input = Console.ReadKey().KeyChar;
Console.WriteLine(); // Move to the next line
// Check if the input is a lowercase vowel
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 a lowercase vowel.
//Example 2: User enters '3'
Enter a single character: 3
The character is a digit.
//Example 3: User enters '@'
Enter a single character: @
The character is another type of symbol.