EN
C# / .NET - Math.Min() method example
0
points
The Math.Min()
function returns the smallest number from given numbers.
using System;
public class Program
{
public static void Main(string[] args)
{
int min = Math.Min(2, 5);
Console.WriteLine( min); // 2
Console.WriteLine( Math.Min(1, 2)); // 1
Console.WriteLine( Math.Min(1.5, 2.0)); // 1.5
Console.WriteLine( Math.Min(2, Double.NaN)); // NaN
}
}
1. Documentation
Syntax |
|
Parameters | val1, val2 - values to compare. |
Result |
Minimal It returns |
Description | Min is a static method that takes number arguments and returns the smallest one value. |
2. Getting min value from array examples
2.1. With Min()
method from System.Linq
.
using System;
using System.Linq;
public class Program
{
public static void Main(string[] args)
{
int[] array = new int[] { 1, 5, 2, 16, -5 };
int min = array.Min();
Console.WriteLine(min); // -5
}
}
2.2. By comparing all the elements in the array
using System;
public class Program
{
static double Min(double[] array)
{
double result = Double.PositiveInfinity;
foreach (double currentNumber in array)
{
if (result > currentNumber) result = currentNumber;
}
return result;
}
public static void Main(string[] args)
{
double[] numbersArray = new double[] { 1.4, 5.0, 2.2, 16.0, -5.0 };
Console.WriteLine(Min(numbersArray)); // -5
}
}