Group
Dynamic Memory Management in C#
Objective
1. Continuously prompt the user for a number or a command.
2. If the user enters a number, store it in a list.
3. If the user enters "sum", display the sum of all numbers entered so far.
4. If the user enters "view", display all the numbers entered.
5. If the user enters "end", terminate the program.
6. Ensure the program can handle both numbers and commands correctly.
Create a program to allow the user to enter an unlimited amount of numbers. Also, they can enter the following commands:
- "sum", to display the sum of all the numbers entered so far.
- "view", to display all the numbers entered.
- "end", to quit the program.
This is an execution sample:
Number or command? 5
Number or command? 3
Number or command? view
Entered numbers:
5
3
Number or command? 6
Number or command? sum
Sum = 14
Number or command? -7
Number or command? end
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic; // Import the namespace for list management
class Program
{
static void Main()
{
List numbers = new List(); // Create a list to store entered numbers
string input; // Variable to store user input
while (true) // Infinite loop to keep asking for input
{
Console.Write("Number or command? "); // Prompt the user for input
input = Console.ReadLine(); // Read user input
if (input == "end") // Check if the user wants to exit
{
break; // Exit the loop and terminate the program
}
else if (input == "sum") // Check if the user wants to sum all numbers
{
int sum = 0; // Initialize sum variable
foreach (int num in numbers) // Iterate through the list
{
sum += num; // Add each number to the sum
}
Console.WriteLine("Sum = " + sum); // Display the sum
}
else if (input == "view") // Check if the user wants to view entered numbers
{
Console.WriteLine("\nEntered numbers:"); // Display heading
foreach (int num in numbers) // Iterate through the list
{
Console.WriteLine(num); // Print each number
}
Console.WriteLine(); // Print an empty line for readability
}
else // Assume the input is a number
{
if (int.TryParse(input, out int number)) // Try to convert input to an integer
{
numbers.Add(number); // Add the number to the list
}
else // If input is not a valid number or command
{
Console.WriteLine("Invalid input. Please enter a number or a valid command.");
}
}
}
}
}
Output
Number or command? 5
Number or command? 3
Number or command? view
Entered numbers:
5
3
Number or command? 6
Number or command? sum
Sum = 14
Number or command? -7
Number or command? end