Creating a Reverse Triangle Using a Given Symbol in C#

This C# program prompts the user to enter a symbol (character or digit) and a width, then displays a right-aligned inverted triangle using the given symbol. The triangle starts with a row of the specified width and decreases in size by one symbol per row until only one symbol remains.

This exercise is excellent for practicing:
1. User input handling
2. Loop structures (iteration using for)
3. String manipulation and pattern printing

The execution follows these steps:
1. Prompt the user to enter a symbol (character or digit).
2. Prompt the user to enter the desired width (integer).
3. Use a for loop to print rows, decreasing the number of symbols in each step.
4. Display the inverted triangle with the given width.

This exercise is useful for learning loop control, pattern generation, and console formatting in C#.



Group

C# Basic Data Types Overview

Objective

Write a C# program that prompts for a symbol and a width, and displays a triangle of that width, using that symbol for the inner pattern.

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Ask the user for a symbol
        Console.Write("Enter a symbol: ");
        char symbol = Console.ReadKey().KeyChar;
        Console.WriteLine(); // Move to the next line

        // Ask the user for the desired width of the triangle
        Console.Write("Enter the desired width: ");
        int width = int.Parse(Console.ReadLine());

        Console.WriteLine(); // Space before printing the triangle

        // Loop to generate the inverted triangle
        for (int i = width; i > 0; i--) // Decreasing rows
        {
            for (int j = 0; j < i; j++) // Print symbols in each row
            {
                Console.Write(symbol);
            }
            Console.WriteLine(); // Move to the next line
        }
    }
}

 Output

//Example 1:
Enter a symbol: 4
Enter the desired width: 5

44444
4444
444
44
4

//Example 2:
Enter a symbol: *
Enter the desired width: 7

*******
******
*****
****
***
**
*

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