Group
Functions in C#
Objective
1. Create a function named "Maximum" that accepts a float array as a parameter.
2. Iterate through the array to compare each element with the current maximum.
3. Return the highest value found in the array.
4. Test the function with an array of real numbers, such as {1.5f, 0.7f, 8.0f}.
5. Display the result using the console.
Write a C# function which returns the greatest value stored in an array of real numbers which is specified as parameter.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to find the maximum value in an array of floats
public static float Maximum(float[] data)
{
// Initialize the max value to the first element in the array
float max = data[0];
// Iterate through the array and compare each element with max
for (int i = 1; i < data.Length; i++)
{
// If the current element is greater than the max, update max
if (data[i] > max)
{
max = data[i];
}
}
// Return the largest value found
return max;
}
// Main method to test the Maximum function
public static void Main()
{
// Define an array of real numbers
float[] data = {1.5f, 0.7f, 8.0f};
// Call the Maximum function and store the result
float max = Maximum(data);
// Display the result
Console.WriteLine("The maximum value is: " + max);
}
}
Output
The maximum value is: 8