Summing Numbers Until 'End' is Entered in C#

In this exercise, you will practice handling user input, loops, and conditionals in C#. The program will continuously ask the user to enter numbers until they type "end". After each entry, the current sum of all entered numbers will be displayed. When the user decides to stop by entering "end", the program will display all the numbers entered and the final sum.



Group

C# Arrays, Structures and Strings

Objective

1. Continuously prompt the user to enter a number.
2. Convert the input into an integer and add it to the sum.
3. Display the current sum after each entry.
4. Stop when the user types "end".
5. Finally, display all entered numbers and the total sum.

Write a C# program which asks the user for several numbers (until he enters "end") and displays their sum. When the execution is going to end, it must display all the numbers entered and the sum again.

Example C# Exercise

 Copy C# Code
using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        // List to store entered numbers
        List numbers = new List();
        int sum = 0;
        
        Console.WriteLine("Enter numbers (type 'end' to finish):");

        while (true)
        {
            // Ask for user input
            Console.Write("Enter a number: ");
            string input = Console.ReadLine();

            // Check if user wants to stop
            if (input.ToLower() == "end")
                break;

            // Try to convert input to integer
            if (int.TryParse(input, out int number))
            {
                numbers.Add(number);
                sum += number;
                Console.WriteLine($"Sum = {sum}");
            }
            else
            {
                Console.WriteLine("Invalid input. Please enter a valid number or 'end' to stop.");
            }
        }

        // Display results
        Console.WriteLine("\nThe numbers are: " + string.Join(" ", numbers));
        Console.WriteLine($"The sum is: {sum}");
    }
}

 Output

Enter numbers (type 'end' to finish):
Enter a number: 5
Sum = 5
Enter a number: 3
Sum = 8
Enter a number: end

The numbers are: 5 3
The sum is: 8

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