Как найти минимальный элемент массива php

(PHP 4, PHP 5, PHP 7, PHP 8)

minНаходит наименьшее значение

Описание

Альтернативная сигнатура (не поддерживается с именованными аргументами):

min(array $value_array): mixed

Замечание:

Значения разных типов будут сравниваться в соответствии со стандартными правилами сравнения.
К примеру, нечисловая строка (string) будет сравниваться с целым числом
(int) так, как будто это 0, а множество
нечисловых строк (string) будут сравниваться алфавитно-цифровым
порядком. Выбранное значение будет возвращено без конвертации типа.

Предостережение

Будьте осторожны при передаче аргументов разных типов, поскольку результат
min() может вас удивить.

Список параметров

value

Любое поддающееся сравнению
значение.

values

Любые поддающиеся сравнению
значения.

value_array

Массив содержащий значения.

Возвращаемые значения

min() вернёт значение “наименьшего” из элементов массива, в
соответствии со стандартными правилами сравнения. Если несколько разнотипных
значений посчитаются идентичными (например 0 и
'abc'), функция вернёт первое из них.

Ошибки

Если передан пустой массив, функция min()
выбрасывает ошибку ValueError.

Список изменений

Версия Описание
8.0.0 Функция min() теперь в случае возникновения ошибки
выбрасывает ошибку ValueError;
ранее возвращалось значение false и выдавалась ошибка уровня E_WARNING.

Примеры

Пример #1 Пример использования min()


<?php
echo min(2, 3, 1, 6, 7); // 1
echo min(array(2, 4, 5)); // 2

// 'hello' будет представлено как числовое значение 0.
// Оба параметра имеют одинаковое значение, поэтому результат
// определяется порядком, в котором параметры переданы

echo min(0, 'hello'); // 0
echo min('hello', 0); // hello

// Здесь сравниваются -1 < 0, так что -1 меньше

echo min('hello', -1); // -1

// При сравнении массивов, разной длины - min вернёт самый короткий

$val = max(array(2, 2, 2), array(1, 1, 1, 1)); // array(2, 2, 2)

// При указании нескольких массивов, они сравниваются полностью
// в нашем примере: 2 == 2, но 4 < 5

$val = min(array(2, 4, 8), array(2, 5, 1)); // array(2, 4, 8)

// При указании массива и не массива,
// первый никогда не возвращается, т.к. считается самым большим

$val = min('string', array(2, 5, 7), 42); // string

// Если один из аргументов NULL или будево значение, то сравнение с другими
// значениями будет происходить по правилу FALSE < TRUE и NULL == FALSE, вне
// зависимости от того какого типа параметры переданы.
// В примере ниже, -10 трактуется как TRUE

$val = min(-10, FALSE, 10); // FALSE
$val = min(-10, NULL, 10); // NULL

// 0 всегда трактуется как FALSE, значит он "меньше чем" TRUE

$val = min(0, TRUE); // 0
?>

Смотрите также

  • max() – Возвращает наибольшее значение
  • count() – Подсчитывает количество элементов массива или Countable объекте

volch5 at gmail dot com

9 years ago


min() (and max()) on DateTime objects compares them like dates (with timezone info) and returns DateTime object.
<?php
$dt1
= new DateTime('2014-05-07 18:53', new DateTimeZone('Europe/Kiev'));
$dt2 = new DateTime('2014-05-07 16:53', new DateTimeZone('UTC'));
echo
max($dt1,$dt2)->format(DateTime::RFC3339) . PHP_EOL; // 2014-05-07T16:53:00+00:00
echo min($dt1,$dt2)->format(DateTime::RFC3339) . PHP_EOL; // 2014-05-07T18:53:00+03:00
?>

It works at least 5.3.3-7+squeeze17

Anonymous

17 years ago


NEVER EVER use this function with boolean variables !!!
Or you'll get something like this: min(true, 1, -2) == true;

Just because of:
min(true, 1, -2) == min(min(true,1), -2) == min(true, -2) == true;

You are warned !


Teelevision

9 years ago


A function that returns the lowest integer that is not 0.
<?php
/* like min(), but casts to int and ignores 0 */
function min_not_null(Array $values) {
    return
min(array_diff(array_map('intval', $values), array(0)));
}
?>

harmor

15 years ago


A way to bound a integer between two values is:

function bound($x, $min, $max)
{
     return min(max($x, $min), $max);
}

which is the same as:

$tmp = $x;
if($tmp < $min)
{
    $tmp = $min;
}
if($tmp > $max)
{
     $tmp = $max;
}
$y = $tmp;

So if you wanted to bound an integer between 1 and 12 for example:

Input:
$x = 0;
echo bound(0, 1, 12).'<br />';
$x = 1;
echo bound($x, 1, 12).'<br />';
$x = 6;
echo bound($x, 1, 12).'<br />';
$x = 12;
echo bound($x, 1, 12).'<br />';
$x = 13;
echo bound($x, 1, 12).'<br />';

Output:
1
1
6
12
12


DO

14 years ago


I've modified the bugfree min-version to ignore NULL values (else it returns 0).

<?php

function min_mod () {

 
$args = func_get_args();

  if (!

count($args[0])) return false;

  else {

   
$min = false;

    foreach (
$args[0] AS $value) {

      if (
is_numeric($value)) {

       
$curval = floatval($value);

        if (
$curval < $min || $min === false) $min = $curval;

      }

    }

  }

  return

$min;  

}

?>


steffen at morkland dot com

17 years ago


> NEVER EVER use this function with boolean variables !!!
> Or you'll get something like this: min(true, 1, -2) == true;

> Just because of:
> min(true, 1, -2) == min(min(true,1), -2) == min(true, -2) == true;

It is possible to use it with booleans, there is is just one thing, which you need to keep in mind, when evaluating using the non strict comparison (==) anyting that is not bool false, 0 or NULL is consideret true eg.:
(5 == true) = true;
(0 == true) = false;
true is also actually anything else then 0, false and null. However when true is converted to a string or interger true == 1, therefore when sorting true = 1. But if true is the maximum number bool true is returned. so to be sure, if you only want to match if true is the max number remember to use the strict comparison operater ===


hava82 at gmail dot com

11 years ago


Here is function can find min by array key

<?php

function min_by_key($arr, $key){

   
$min = array();

    foreach (
$arr as $val) {

        if (!isset(
$val[$key]) and is_array($val)) {

           
$min2 = min_by_key($val, $key);

           
$min[$min2] = 1;

        } elseif (!isset(
$val[$key]) and !is_array($val)) {

            return
false;

        } elseif (isset(
$val[$key])) {

           
$min[$val[$key]] = 1;

        }

    }

    return
min( array_keys($min) );

}

?>


8ilO

6 years ago


A min_by function:
<?php
function min_by(Array $arr, Callable $func){
   
$mapped = array_map($func, $arr);
    return
$arr[array_search(min($mapped), $mapped)];
}
$a = ["albatross""dog""horse"];
echo
min_by($a, "strlen"); // dog
?>

johnphayes at gmail dot com

17 years ago


Regarding boolean parameters in min() and max():

(a) If any of your parameters is boolean, max and min will cast the rest of them to boolean to do the comparison.
(b) true > false
(c) However, max and min will return the actual parameter value that wins the comparison (not the cast).

Here's some test cases to illustrate:

1.  max(true,100)=true
2.  max(true,0)=true
3.  max(100,true)=100
4.  max(false,100)=100
5.  max(100,false)=100
6.  min(true,100)=true
7.  min(true,0)=0
8.  min(100,true)=100
9.  min(false,100)=false
10. min(100,false)=false
11. min(true,false)=false
12. max(true,false)=true


piotr_sobolewski at o2 dot nospampleasenono dot pl

15 years ago


Be very careful when your array contains both strings and numbers. This code works strange (even though explainable) way:
var_dump(max('25.1.1', '222', '99'));
var_dump(max('2.1.1', '222', '99'));

php at keith tyler dot com

12 years ago


If NAN is the first argument to min(), the second argument will always be returned.

If NAN is the second argument, NAN will always be returned.

The relationship is the same but inverted for max().

<?php
// n's skipped for brevity
print max(0,NAN);
print
max(NAN,0);
print
min(0,NAN);
print
min(NAN,0);
?>

Returns:
0
NAN
NAN
0


matt at borjawebs dot com

12 years ago


A condensed version (and possible application) of returning an array of array keys containing the same minimum value:

<?php

// data

$min_keys = array();

$player_score_totals = array(

'player1' => 300,

'player2' => 301,

'player3' => 302,

'player4' => 301,

...

);
// search for array keys with min() value

foreach($player_score_totals as $playerid => $score)

    if(
$score == min($player_score_totals)) array_push($min_keys, $playerid);
print_r($min_keys);

?>


alx5000 at walla dot com

18 years ago


If you want min to return zero (0) when comparing to a string, try this:

<?php
min
(3,4,";");  // ";"
min(0,min(3,4,";")) // 0
?>


nonick AT 8027 DOT org

19 years ago


I tested this with max(), but I suppose it applies to min() too: If you are working with numbers, then you can use:

    $a = ($b < $c) ? $b : $c;

which is somewhat faster (roughly 16%) than

    $a = min($b, $c);

I tested this on several loops using integers and floats, over 1 million iterations.

I'm running PHP 4.3.1 as a module for Apache 1.3.27.


Err

13 years ago


When using a variable with an array that has a list of numbers, put just the variable in min(). Don't use integer index's. Seems pretty straight forward now, but I wasn't used to just putting down the variable for an array in functions.

<?php
  $list
= array(9,5,4,6,2,7);
  echo
min($list); // display 2
?>


browne at bee why you dot ee dee you

19 years ago


min() can be used to cap values at a specific value. For instance, if you're grading papers and someone has some extra credit, but  that shouldn't make it to the final score:

$pts_possible = 50;
$score = 55;

// Percent will equal 1 if $score/$pts_possible is greater than 1
$percent = min($score/$pts_possible,1);


dave at dtracorp dot com

16 years ago


empty strings '' will also return false or 0, so if you have something like

$test = array('', 1, 5, 8, 44, 22);

'' will be returned as the lowest value

if you only want to get the lowest number, you'll have to resort to the old fashioned loop

// default minimum value
$minVal = 100;
foreach ($test as $value) {
if (is_numeric($value) && $value < $minVal) {
$minVal = $value;
}


Самый простой способ

Разумеется, проще всего получить минимальный и максимальный элементы массива с помощью функций min() и max():

$arr = [8, 4, 12, 9];
$max = max($arr); // 12
$min = min($arr); // 4

Однако на форумах часто просят написать скрипт, не использующий эти функции. Чаще всего этого требуют преподаватели учебных учреждений.

Условия задачи

1. Найти наибольший наименьший элементы в одномерном числовом массиве.
2. Определить номер минимального и максимального элементов заданного одномерного массива.
3. Найти минимальное и максимальное значение в ассоциативном массиве.

Общий принцип поиска элементов

Во всех решениях мы будем использовать одну и ту же логику.

Согласно условию, нам необходимо объявить числовой массив произвольной длины. Также объявим 4 переменные, в которые будем помещать найденные значения и их ключи:

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;

Далее перебираем массив в цикле и на каждой итерации проверяем, больше ли текущее значение, чем самое большое, что мы находили до этого.

И если больше – будем записывать в $max новое максимальное значение, а в $max_key его ключ. Абсолютно также поступим и с минимальными ключом и значением.

Пример с циклом foreach:

foreach($arr as $k => $v)
{
	if($v > $max)
	{
		$max = $v;
		$max_key = $k;
	}

	if($v < $min)
	{
		$min = $v;
		$min_key = $k;
	}
}

На данном этапе наш код уже будет работать, но это ещё не всё. Попробуем изменить исходный массив и посмотрим на результат:

<?php
$arr = [0, -12];
$max = null;

foreach($arr as $v)
{
	if($v > $max)
		$max = $v;
}

var_dump($max); // -12

Максимальным должно быть число 0, но скрипт вывел -12. Дело в том, что PHP не считает истинным выражение 0 > null, поэтому ноль на первой итерации цикла не записался в переменную $max.

Для решения этой проблемы просто добавим условие, что если $max === null, т.е. если это первая итерация, то в любом случае записываем текущее значение в $min и $max:

<?php
$arr = [0, -12];
$max = null;

foreach($arr as $v)
{
    if($v > $max or $max === null)
        $max = $v;
}

var_dump($max); // -12

Минимальный и максимальный элементы с циклом FOREACH

Решение:

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;

foreach($arr as $k => $v)
{
	if($v > $max or $max === null)
	{
		$max = $v;
		$max_key = $k;
	}

	if($v < $min or $min === null)
	{
		$min = $v;
		$min_key = $k;
	}
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Минимальный и максимальный элементы с циклом WHILE

Решение 1: счётчик + count()

Цикл будет выполняться до тех пор, пока значение счётчика $i не превысит количество элементов массива.

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

while($i < count($arr))
{
    if($arr[$i] > $max or $max === null)
    {
        $max = $arr[$i];
        $max_key = $i;
    }

    if($arr[$i] < $min or $min === null)
    {
        $min = $arr[$i];
        $min_key = $i;
    }

	$i++;
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Решение 2: счётчик + isset()

Запускаем вечный цикл while и в каждой итерации цикла проверяем существование следующего элемента с помощью isset(). Если его нет – выходим из цикла оператором break:

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

while(true)
{
	if(isset($arr[$i]))
	{
		if($arr[$i] > $max or $max === null)
		{
			$max = $arr[$i];
			$max_key = $i;
		}

		if($arr[$i] < $min or $min === null)
		{
			$min = $arr[$i];
			$min_key = $i;
		}
	}
	else
		break;

	$i++;
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Решение 3: list() + each()

Функция each() возвращает ключ и значение текущего элемента массива и смещает его внутренний указатель на единицу. Функция list() используется просто для удобства – с её помощью мы превращаем массив, который возвращает функция each, в две разные переменные:

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

while(list($k, $v) = each($arr))
{
	if($v > $max or $max === null)
	{
		$max = $v;
		$max_key = $k;
	}

	if($v < $min or $min === null)
	{
		$min = $v;
		$min_key = $k;
	}
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Получился практически аналог foreach. Единственный минус в том, что начиная с PHP 7.2 функция each() объявлена устаревшей.

Решение 4: current() + next()

Это решение похоже на предыдущее с each(). Получаем текущий элемента массива функцией current() и смещаем внутренний указатель массива функцией next(). Получить текущий ключ массива можно с помощью функции key().

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

while($v = current($arr))
{
	if($v > $max or $max === null)
	{
		$max = $v;
		$max_key = key($arr);
	}

	if($v < $min or $min === null)
	{
		$min = $v;
		$min_key = key($arr);
	}

	next($arr);
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Наибольший и наименьший элементы с циклом FOR

Решение 1: счётчик + count()

Вводим счётчик $i и увеличиваем его после каждой итерации. Цикл прекратится как только значение счётчика превысит количество элементов массива.

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;

for($i = 0; $i < count($arr); $i++)
{
    if($arr[$i] > $max or $max === null)
    {
        $max = $arr[$i];
        $max_key = $i;
    }

    if($arr[$i] < $min or $min === null)
    {
        $min = $arr[$i];
        $min_key = $i;
    }
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Решение 2: счётчик + isset()

В отличие от предыдущего варианта, мы не смотрим на количество элементов массива, а запускаем вечный цикл и в каждой итерации проверяем существование следующего элемента, и если его нет – прерываем цикл командой break:

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;

for($i = 0; true; $i++)
{
	if(!isset($arr[$i]))
		break;

    if($arr[$i] > $max or $max === null)
    {
        $max = $arr[$i];
        $max_key = $i;
    }

    if($arr[$i] < $min or $min === null)
    {
        $min = $arr[$i];
        $min_key = $i;
    }
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Решение 3: each() + list()

Функция each() возвращает массив с ключом и значением текущего элемента массива, а list() превращает этот массив в 2 разные переменные. После последнего элемента функция each() вернёт false и цикл прекратит работу.

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

for(; list($k, $v) = each($arr);)
{
    if($v > $max or $max === null)
    {
        $max = $v;
        $max_key = $k;
    }

    if($v < $min or $min === null)
    {
        $min = $v;
        $min_key = $k;
    }
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Решение 4: current() + next()

С помощью функции next() смещаем внутренний указатель массива, а функции current() и key() возвращают текущие ключ и значение. Первое и последнее выражение цикла оставляем пустыми.

<?php
$arr = [12, 4, 182, 1, 2.587];
$min = null;
$min_key = null;
$max = null;
$max_key = null;
$i = 0;

for(; $v = current($arr);)
{
	if($v > $max or $max === null)
	{
		$max = $v;
		$max_key = key($arr);
	}

	if($v < $min or $min === null)
	{
		$min = $v;
		$min_key = key($arr);
	}

	next($arr);
}

echo "Min value: $min <br> Min key: $min_key <br>";
echo "Max value: $max <br> Max key: $max_key";

Максимальное значение в ассоциативном массиве

В ассоциативных массивах отсутствует порядок или системность в названиях ключей, поэтому циклы со счётчиками здесь недоступны.

Но мы всё ещё можем использовать цикл foreach и те решения для while и for, где используются функции each() и next(), поскольку они используют не ключи, а внутренний указатель массива.

Sometimes, you may need to find the minimum value from an array in PHP. This is a common task in programming, and fortunately, PHP provides several built-in functions to help you achieve this.

PHP gets the min or minimum or lowest value in the array. This tutorial has the purpose to explain to you several easy ways to find or get the min or minimum or lowest value from an array in PHP.

How to Find/Get Min/Minimum/Lowest value From an array

Below given different ways to find the minimum value from an array in PHP.

  • Method 1: Using the min() function
  • Method 2: Using a loop
  • Method 3: Using the sort() function

Method 1: Using the min() function

The simplest and most straightforward way to find the minimum value from an array in PHP is to use the built-in min() function. This function takes an array as its argument and returns the minimum value from the array.

Syntax

 min(array)  
 or
 min(value1, value2, value3 … valueN)

Example 1 – Get min value in array PHP using min() function

Let’s take the first example, you will use the PHP min() function to find the smallest or minimum value in the array. Let’s see the example below:

<?php

$array = [1, 10, 50, 40, 2, 15, 100];

// get lowest or minimum value in array php
$res = min($array);

print_r($res);

?> 

The output of the above program is: 1

Example 2 – Find min value from an array without using PHP array functions

Let’s take the second example, in this example, you will find or get the min or minimum number in array PHP without function. Let’s see the example below:

<?php

$array = [1000,400,10,50,170,500,45];

$min = $array[0];

foreach($array as $key => $val){

    if($min > $val){

        $min = $val;
        
    }
}	
// get lowest or minimum value in array php using foreach
print $min;

?>

The output of the above program is: 10

Example 3 – PHP get min value in array using for loop

Let’s take the third example, to find the minimum or min or smallest value in array PHP without using any function. Let’s look at the examples below:

<?php

$array = [1000,500,10,56,560,6,4];

$min = $array[0];
// get lowest or minimum value in array php using for loop
foreach($array as $key => $val){
    if($min > $val){
        $min = $val;
    }
}	
 
print $min;
?>

The output of the above program is: 4

Method 2: Using a loop

Another way to find the minimum value from an array is to use a loop. This method is more complex than using the min() function, but it gives you more control over the process.

Here’s an example:

$numbers = array(5, 3, 8, 2, 9, 1);
$min = $numbers[0];
for ($i = 1; $i < count($numbers); $i++) {
    if ($numbers[$i] < $min) {
        $min = $numbers[$i];
    }
}
echo "The minimum value is: " . $min;

Output:

The minimum value is: 1

In this example, you initialize the $min variable to the first element of the array. You then loop through the remaining elements of the array and compare each element with the current value of $min. If the current element is smaller than $min, then update the value of $min to the current element.

Method 3: Using the sort() function

Another way to find the minimum value from an array is to sort the array in ascending order and then get the first element of the sorted array.

Here’s an example:

$numbers = array(5, 3, 8, 2, 9, 1);
sort($numbers);
$min = $numbers[0];
echo "The minimum value is: " . $min;

Output:

The minimum value is: 1

In this example, you use the sort() function to sort the array in ascending order. After sorting the array, and get the first element of the array, which is the minimum value.

Conclusion

Finding the minimum value from an array in PHP is a common task in programming. In this article, you have discussed three different ways to find the minimum value from an array in PHP. You can choose the method that suits your needs and preferences. The simplest and most straightforward method is to use the min() function. If you want more control over the process, you can use a loop. Finally, if you don’t mind modifying the original array, you can use the sort() function to find the minimum value.

Recommended PHP Tutorials

Improve Article

Save Article

Like Article

  • Read
  • Discuss
  • Improve Article

    Save Article

    Like Article

    The min() function of PHP is used to find the lowest value in an array, or the lowest value of several specified values. The min() function can take an array or several numbers as an argument and return the numerically minimum value among the passed parameters. The return type is not fixed, it can be an integer value or a float value based on input.

    Syntax:

    min(array_values)  
    
    or
    
    min(value1, value2, ...)
    

    Parameters: This function accepts two different types of parameters which are explained below:

    1. array_values : It specifies an array containing the values.
    2. value1, value2, … : It specifies two or more than two values to be compared.

    Return Value: The min() function returns the numerically minimum value.

    Examples:

    Input : min(12, 4, 62, 97, 26)
    Output : 4
    
    Input : min(array(28, 36, 87, 12))
    Output : 12
    

    Below programs illustrate the working of min() in PHP:

    Program 1:

    <?php

    echo (min(12, 4, 62, 97, 26));

    ?>

    Output:

    4

    Program 2:

    <?php

    echo (min(array(28, 36, 87, 12)));

    ?>

    Output:

    12

    Important points to note :

    • min() function is used to find the numerically minimum number.
    • min() function can be used on two or more than two values or it can be used on an array.
    • The value returned is of mixed data type.

    Reference:
    http://php.net/manual/en/function.min.php

    Last Updated :
    08 Mar, 2018

    Like Article

    Save Article

    Добавить комментарий