PHP程序在数组中查找最大元素

为了找到数组中的最大元素,PHP代码如下-

示例

<?php
   function get_max_value($my_array){
      $n = count($my_array);
      $max_val = $my_array[0];
      for ($i = 1; $i < $n; $i++)
         if ($max_val < $my_array[$i])
            $max_val = $my_array[$i];
      return $max_val;
   }
   $my_array = array(56, 78, 91, 44, 0, 11);
   print_r("The highest value of the array is ");
   echo(get_max_value($my_array));
   echo("\n");
?>

输出结果

The highest value of the array is91

定义了一个名为“ get_max_value()”的函数,该函数将数组作为参数。在此函数内部,count函数用于查找数组中的元素数,并将其分配给变量-

$n = count($my_array);

将数组中的第一个元素分配给一个变量,并对该数组进行迭代,并比较数组中的相邻值,并将所有值中的最大值作为输出-

$max_val = $my_array[0];
for ($i = 1; $i < $n; $i++)
   if ($max_val < $my_array[$i])
      $max_val = $my_array[$i];
return $max_val;

在函数外部,定义了数组,并通过将该数组作为参数传递来调用函数。输出显示在屏幕上-

$my_array = array(56, 78, 91, 44, 0, 11);
print_r("The highest value of the array is");
echo(get_max_value($my_array));