C# Program to Write Centered and Underlined Text

This C# program defines a function called WriteUnderlined that takes a string as a parameter and writes it centered on the screen, assuming a screen width of 80 characters. After displaying the text, the program also underlines the text by printing several hyphens below the text. This is useful for making the text stand out in console applications by both centering and emphasizing it with an underline.



Group

Functions in C#

Objective

1. Define a function called WriteUnderlined that accepts a string as a parameter.
2. Inside the WriteUnderlined function, calculate how many spaces are required on the left side of the string to center it within an 80-character width.
3. Display the text centered on the screen using Console.WriteLine.
4. After displaying the text, print a line of hyphens under the text with the same length as the text.
5. In the Main method, call the WriteUnderlined function with the string "Hello!" as an argument.

Write a C# function able to write centered on screen the text that is indicated as a parameter (supposing a screen width of 80 characters) and then underline it (writing several hyphens under that word):

WriteUnderlined("Hello!");

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    // Main method where the program execution begins
    public static void Main()
    {
        // Call the WriteUnderlined function with the string "Hello!" as the argument
        WriteUnderlined("Hello!");
    }

    // Function to write the given text centered on the screen and underline it
    public static void WriteUnderlined(string text)
    {
        // Define the total width of the screen
        int screenWidth = 80;

        // Calculate the length of the text
        int textLength = text.Length;

        // Calculate how much padding is needed on the left side to center the text
        int padding = (screenWidth - textLength) / 2;

        // Create a string with the padding (spaces) on the left
        string paddedText = new string(' ', padding) + text;

        // Print the centered text
        Console.WriteLine(paddedText);

        // Print a line of hyphens under the text to underline it
        Console.WriteLine(new string('-', textLength));
    }
}

 Output

                           Hello!                           
                           -----                           

Share this C# Exercise

More C# Practice Exercises of Functions in C#

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