Displaying a Centered Triangle from User String in C#

In this exercise, the program will ask the user to input a string, and then display a centered triangle with each line progressively displaying one more character from the string. The output will align the characters of each line such that the string forms a triangle shape, centered horizontally. This exercise will help demonstrate string manipulation, loops, and basic formatting in C#.



Group

C# Arrays, Structures and Strings

Objective

1. Ask the user to input a string.
2. Calculate the total length of the string.
3. Display each line of the string, starting with just the first character on the first line and gradually adding one character at a time until the entire string is displayed.
4. Ensure that the characters on each line are centered horizontally.
5. For the centering, you can pad the output with spaces to ensure the triangle aligns correctly.

Write a C# program that Display a centered triangle from a string entered by the user:

Enter your string: Juan

__a__
_uan_
Juan

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    static void Main()
    {
        // Ask the user for their string input
        Console.Write("Enter your string: ");
        string input = Console.ReadLine();
        
        // Calculate the total length of the string
        int length = input.Length;

        // Loop through the string, creating each line of the triangle
        for (int i = 1; i <= length; i++)
        {
            // Get the substring of the first 'i' characters
            string substring = input.Substring(0, i);

            // Calculate how many spaces are needed for centering
            int spaces = (length - i) / 2;

            // Display the substring with the appropriate spaces for centering
            Console.WriteLine(new string(' ', spaces) + substring + new string(' ', spaces));
        }
    }
}

 Output

Enter your string: Juan
__a__
_uan_
Juan

Share this C# Exercise

More C# Practice Exercises of C# Arrays, Structures and Strings

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