Group
Functions in C#
Objective
1. Define a function named "GetInt" that accepts a message, a minimum value, and a maximum value as parameters.
2. Display the message to the user, asking them to input an integer.
3. Check if the input is within the specified range.
4. If the input is outside the range, display an error message and prompt the user again.
5. Once a valid input is entered, return the value to the caller.
Write a C# function named "GetInt", which displays on screen the text received as a parameter, asks the user for an integer number, repeats if the number is not between the minimum value and the maximum value which are indicated as parameters, and finally returns the entered number:
Example usage:
age = GetInt("Enter your age", 0, 150);
Would display:
Enter your age: 180
Not a valid answer. Must be no more than 150.
Enter your age: -2
Not a valid answer. Must be no less than 0.
Enter your age: 20
(the value for the variable "age" would be 20)
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to get an integer input within a specified range
public static int GetInt(string message, int min, int max)
{
int number;
// Loop until a valid number is entered
while (true)
{
// Display the prompt message
Console.Write(message + ": ");
// Try to parse the user input as an integer
if (int.TryParse(Console.ReadLine(), out number))
{
// Check if the number is within the specified range
if (number >= min && number <= max)
{
// Return the valid number
return number;
}
else
{
// Display an error message if the number is outside the range
Console.WriteLine($"Not a valid answer. Must be no less than {min} and no more than {max}.");
}
}
else
{
// Display an error message if the input is not a valid integer
Console.WriteLine("Not a valid number. Please enter an integer.");
}
}
}
public static void Main()
{
// Example usage of GetInt function
int age = GetInt("Enter your age", 0, 150);
// Display the entered age
Console.WriteLine("Your age is: " + age);
}
}
Output
Enter your age: 180
Not a valid answer. Must be no less than 0 and no more than 150.
Enter your age: -2
Not a valid answer. Must be no less than 0 and no more than 150.
Enter your age: 20
Your age is: 20