Group
C# Flow Control Basics
Objective
Write a C# program to calculate various basic statistical operations: it will accept numbers from the user and display their sum, average, minimum, and maximum, as in the following example:
Number? 5
Total=5 Count=1 Average=5 Max=5 Min=5
Number? 2
Total=7 Count=2 Average=3.5 Max=5 Min=2
Number? 0
Goodbye!
(As seen in this example, the program will end when the user enters 0)
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
// Declare variables to keep track of the total sum, count, minimum, and maximum
double total = 0;
int count = 0;
double min = double.MaxValue; // Initialize min to the maximum possible value
double max = double.MinValue; // Initialize max to the minimum possible value
while (true) // Infinite loop, continues until the user enters 0
{
// Prompt the user for a number
Console.Write("Number? ");
double number = double.Parse(Console.ReadLine()); // Read the number entered by the user
if (number == 0) // If the user enters 0, break the loop and end the program
{
Console.WriteLine("Goodbye!");
break;
}
// Update total, count, min, and max
total += number;
count++;
if (number < min) min = number; // Update min if the current number is smaller
if (number > max) max = number; // Update max if the current number is larger
// Calculate average
double average = total / count;
// Display the statistics
Console.WriteLine($"Total={total} Count={count} Average={average} Max={max} Min={min}");
}
}
}
Output
//Example 1:
Number? 5
Total=5 Count=1 Average=5 Max=5 Min=5
Number? 2
Total=7 Count=2 Average=3.5 Max=5 Min=2
Number? 0
Goodbye!
//Example 2:
Number? 10
Total=10 Count=1 Average=10 Max=10 Min=10
Number? 4
Total=14 Count=2 Average=7 Max=10 Min=4
Number? -3
Total=11 Count=3 Average=3.66666666666667 Max=10 Min=-3
Number? 0
Goodbye!