Repeat a Number Based on User Input in C#

In this exercise, you will write a C# program that asks the user for two inputs: a number and a quantity. The program will then repeat the number as many times as specified by the user. You will implement this functionality in three different ways using different types of loops: while, do-while, and for. This exercise will help you practice user input handling and different loop structures in C#.



Group

C# Flow Control Basics

Objective

The objective of this exercise is to write a C# program that asks the user for a number and a quantity, and displays that number repeated as many times as the user has specified. Here's an example:

Enter a number: 4
Enter a quantity: 5

44444

You must display it three times: first using "while", then "do-while" and finally "for".

Example C# Exercise

 Copy C# Code
// First and Last Name: John Doe

using System;

namespace RepeatNumber
{
    class Program
    {
        static void Main(string[] args)
        {
            // Asking for user input
            Console.Write("Enter a number: ");
            string number = Console.ReadLine(); // Read the number as a string
            Console.Write("Enter a quantity: ");
            int quantity = int.Parse(Console.ReadLine()); // Read the quantity and convert to integer

            // Using "while" loop
            Console.WriteLine("Using 'while' loop:");
            int i = 0;
            while (i < quantity)
            {
                Console.Write(number);
                i++;
            }
            Console.WriteLine(); // New line after while loop output

            // Using "do-while" loop
            Console.WriteLine("Using 'do-while' loop:");
            int j = 0;
            do
            {
                Console.Write(number);
                j++;
            } while (j < quantity);
            Console.WriteLine(); // New line after do-while loop output

            // Using "for" loop
            Console.WriteLine("Using 'for' loop:");
            for (int k = 0; k < quantity; k++)
            {
                Console.Write(number);
            }
            Console.WriteLine(); // New line after for loop output
        }
    }
}

 Output

Enter a number: 4
Enter a quantity: 5
Using 'while' loop:
44444
Using 'do-while' loop:
44444
Using 'for' loop:
44444

Share this C# Exercise

More C# Practice Exercises of C# Flow Control Basics

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