C# Program to Write Centered Text

This C# program defines a function called WriteCentered that takes a string as a parameter and writes it centered on the screen, assuming a screen width of 80 characters. The program calculates how much padding (spaces) is needed on both sides of the text to center it and then prints the result. This is useful for formatting output in console applications to make the text more readable and aesthetically pleasing.



Group

Functions in C#

Objective

1. Define a function called WriteCentered that accepts a string as a parameter.
2. Inside the WriteCentered function, calculate how many spaces are required on the left and right sides of the string to center it within an 80-character width.
3. Use Console.WriteLine to display the text with the calculated padding.
4. In the Main method, call the WriteCentered function with the string "Hello!" as an argument.
5. Ensure that the text is properly centered regardless of the string's length.

Write a C# function to write centered on screen the text that is indicated as a parameter (supposing a screen width of 80 characters):

WriteCentered("Hello!");

Example C# Exercise

 Copy C# Code
using System;

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

    // Function to write the given text centered on the screen with a width of 80 characters
    public static void WriteCentered(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
        int padding = (screenWidth - textLength) / 2;

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

        // Print the padded text, this will display it centered on the screen
        Console.WriteLine(paddedText);
    }
}

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