Group
Functions in C#
Objective
1. Prompt the user to enter the minimum value.
2. Prompt the user to enter the maximum value.
3. Check if the maximum value is greater than or equal to the minimum value.
4. If the maximum value is invalid (less than the minimum), ask the user to re-enter the maximum value.
5. Return both values once they are valid.
Write a C# function named "GetMinMax", which will ask the user for a minimum value (a number) and a maximum value (another number). It should be called in a similar way to:
GetMinMax( n1, n2);
Example:
Enter the minimum value: 5
Enter the maximum value: 3.5
Incorrect. Should be 5 or more.
Enter the maximum value: 7
The function should ensure the minimum is less than or equal to the maximum, and it should return both values.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to get the minimum and maximum values from the user
static void GetMinMax(out double minValue, out double maxValue)
{
// Prompt for the minimum value
Console.Write("Enter the minimum value: ");
minValue = Convert.ToDouble(Console.ReadLine()); // Read and convert the minimum value
// Prompt for the maximum value
Console.Write("Enter the maximum value: ");
maxValue = Convert.ToDouble(Console.ReadLine()); // Read and convert the maximum value
// Loop until the maximum is greater than or equal to the minimum
while (maxValue < minValue)
{
// If the maximum is less than the minimum, ask the user to re-enter the maximum
Console.WriteLine($"Incorrect. Should be {minValue} or more.");
Console.Write("Enter the maximum value: ");
maxValue = Convert.ToDouble(Console.ReadLine()); // Re-enter the maximum value
}
}
static void Main()
{
double minValue, maxValue;
// Call the GetMinMax function
GetMinMax(out minValue, out maxValue);
// Display the valid minimum and maximum values
Console.WriteLine($"The minimum value is: {minValue}");
Console.WriteLine($"The maximum value is: {maxValue}");
}
}
Output
Enter the minimum value: 5
Enter the maximum value: 3.5
Incorrect. Should be 5 or more.
Enter the maximum value: 7
The minimum value is: 5
The maximum value is: 7