Character Classification Using Switch in C#

In this exercise, we will write a C# program that classifies a user-input symbol into one of three categories: a lowercase vowel, a digit, or any other symbol. The user will enter a single character, and the program will use a `switch` statement to determine and display the classification. This exercise is useful for understanding character input handling, conditional logic, and the use of `switch` in C#.



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

 Copy 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.

Share this C# Exercise

More C# Practice Exercises of C# Basic Data Types Overview

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.