Inverted Right-Angled Triangle Pattern in C#

In this exercise, we will write a C# program that generates an inverted right-angled triangle pattern based on a user-provided width. The user will input a number representing the width of the triangle's base, and the program will display the triangle by progressively reducing the number of asterisks while increasing the leading spaces. This exercise helps in understanding loops, string manipulation, and formatted output in C#.



Group

C# Basic Data Types Overview

Objective

1. Prompt the user to enter the desired width of the triangle.
2. Use a loop to print each row of the triangle.
3. Each row should contain leading spaces followed by asterisks (`*`).
4. The number of leading spaces should increase as the number of asterisks decreases.
5. Display the resulting triangle pattern on the console.
6. Ensure the program handles incorrect inputs gracefully.

Write a C# program which asks for a width, and displays a triangle like this one:

Enter the desired width: 5
*****
_****
__***
___**
____*

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Ask the user to enter the width of the triangle
        Console.Write("Enter the desired width: ");
        
        // Read and convert user input to an integer
        int width = Convert.ToInt32(Console.ReadLine());

        // Generate the inverted right-angled triangle pattern
        for (int i = 0; i < width; i++)
        {
            // Print leading spaces
            Console.Write(new string(' ', i));
            
            // Print asterisks
            Console.WriteLine(new string('*', width - i));
        }
    }
}

 Output

Enter the desired width: 5
*****
 ****
  ***
   **
    *

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