Displaying Multiplication Table Using a While Loop in C#

This exercise focuses on using a while loop in C# to generate and display the multiplication table of a given number. A while loop repeatedly executes a block of code as long as a specified condition is true.

In this case, the user will enter a number, and the program will display its multiplication table from 1 to 10 using the while loop. This task is a practical way to learn about loops and user input handling in C#. The user will enter a number, and the program will calculate and display the results of multiplying that number by the values from 1 to 10.



Group

C# Flow Control Basics

Objective

The objective of this exercise is to write a C# program that prompts the user to enter a number and displays its multiplication table using a 'while' loop.

Write a C# program that prompts the user to enter a number and displays its multiplication table using a 'while' loop.

Example C# Exercise

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

using System;

namespace MultiplicationTableWhileLoop
{
    class Program
    {
        // Main method to start the program execution
        static void Main(string[] args)
        {
            // Declare a variable to store the number input by the user
            int number;

            // Prompt the user to enter a number
            Console.WriteLine("Please enter a number to display its multiplication table:");

            // Read and parse the user's input as an integer
            number = Convert.ToInt32(Console.ReadLine());

            // Declare a variable to control the loop
            int multiplier = 1;

            // Start the while loop; it will run as long as multiplier is less than or equal to 10
            while (multiplier <= 10)
            {
                // Display the multiplication result
                Console.WriteLine($"{number} x {multiplier} = {number * multiplier}");

                // Increment the multiplier by 1
                multiplier++;
            }

            // Wait for user input before closing the console window
            Console.ReadKey(); // Keeps the console open until a key is pressed
        }
    }
}

 Output

Please enter a number to display its multiplication table:
5
5 x 1 = 5
5 x 2 = 10
5 x 3 = 15
5 x 4 = 20
5 x 5 = 25
5 x 6 = 30
5 x 7 = 35
5 x 8 = 40
5 x 9 = 45
5 x 10 = 50

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