Group
C# Flow Control Basics
Objective
The objective of this exercise is to write a C# program to ask the user for an undetermined amount of numbers (until 0 is entered) and display their sum.
Write a C# program to ask the user for an undetermined amount of numbers (until 0 is entered) and display their sum, as follows:
Number? 5
Total = 5
Number? 10
Total = 15
Number? -2
Total = 13
Number? 0
Finished"
Example C# Exercise
Show C# Code
// First and Last Name: John Doe
using System;
namespace SumUserInput
{
class Program
{
// Main method to execute the program
static void Main(string[] args)
{
// Initialize a variable to store the total sum
int total = 0;
int number;
// Start an infinite loop that will break when 0 is entered
while (true)
{
// Ask the user to enter a number
Console.Write("Number? ");
number = int.Parse(Console.ReadLine()); // Read and parse the user's input
// If the entered number is 0, break the loop and finish
if (number == 0)
{
break;
}
// Add the entered number to the total sum
total += number;
// Display the running total
Console.WriteLine("Total = " + total);
}
// Once the loop is finished (0 entered), display "Finished"
Console.WriteLine("Finished");
}
}
}
Output
Number? 5
Total = 5
Number? 10
Total = 15
Number? -2
Total = 13
Number? 0
Finished