Group
Functions in C#
Objective
1. Create a function named MinMaxArray that accepts an array of floating-point numbers and two reference parameters for the minimum and maximum values.
2. Inside the function, iterate through the array to find the minimum and maximum values.
3. Return the minimum and maximum values by modifying the reference parameters.
4. Test the function by calling it with an array and printing the minimum and maximum values.
Write a C# function named MinMaxArray, to return the minimum and maximum values stored in an array, using reference parameters:
float[] data={1.5f, 0.7f, 8.0f}
MinMaxArray(data, ref minimum, ref maximum);
(after that call, minimum would contain 0.7, and maximum would contain 8.0)
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to find minimum and maximum values in an array
static void MinMaxArray(float[] array, ref float min, ref float max)
{
// Initialize min and max with the first element of the array
min = array[0];
max = array[0];
// Loop through the array to find the actual min and max values
foreach (float num in array)
{
// Update min if a smaller value is found
if (num < min)
{
min = num;
}
// Update max if a larger value is found
if (num > max)
{
max = num;
}
}
}
static void Main()
{
// Example array of floating-point numbers
float[] data = { 1.5f, 0.7f, 8.0f };
// Variables to store the minimum and maximum values
float minimum, maximum;
// Call the MinMaxArray function to find the min and max
MinMaxArray(data, ref minimum, ref maximum);
// Output the results
Console.WriteLine("Minimum: " + minimum);
Console.WriteLine("Maximum: " + maximum);
}
}
Output
If the input is:
float[] data = { 1.5f, 0.7f, 8.0f };
The output will be:
Minimum: 0.7
Maximum: 8.0