Find number which is greater than or equal to N in an array

<?php
function closest($array, $number) {

    sort($array);
    foreach ($array as $a) {
        if ($a >= $number) return $a;
    }
    return end($array); // or return NULL;
}
?>

Here is a high-level process to get the desired results and work for any array data:

  • Filter the array keeping on values greater than or equal to the target and then select the lowest remaining value. This is the "best" value (which may be "nothing" if all the values were less) -- this is O(n)
  • Alternatively, sort the data first and see below -- this is O(n lg n) (hopefully)

Now, assuming that the array is sorted ASCENDING, this approach would work:

  • Loop through the array and find the first element which is larger than or equal to the target -- this is O(n)

And if the array is DESCENDING (as in the post), do as above, but either:

  • Iterate backwards -- this is O(n)
  • Sort it ASCENDING first (see fardjad's answer) -- this is O(n lg n) (hopefully)
  • Iterate forwards but keep a look-behind value (to remember "next highest" if the exact was skipped) -- this is O(n)

Happy coding.


EDIT typo on array_search

Yo... Seems easy enough. Here's a function

<?php 
$array = array(45,41,40,39,37,31);

   function closest($array, $number){
    #does the array already contain the number?
    if($i = array_search( $number, $array)) return $i;

    #add the number to the array
    $array[] = $number;

    #sort and refind the number
    sort($array);
    $i = array_search($number, $array);

    #check if there is a number above it
    if($i && isset($array[$i+1])) return $array[$i+1];

    //alternatively you could return the number itself here, or below it depending on your requirements
    return null;
}

to Run echo closest($array, 38);


Here's a smaller function that will also return the closest value. Helpful if you don't want to sort the array (to preserve keys).

function closest($array, $number) {
    //does an exact match exist?
    if ($i=array_search($number, $array)) return $i;

    //find closest
    foreach ($array as $match) {
        $diff = abs($number-$match); //get absolute value of difference
        if (!isset($closeness) || (isset($closeness) && $closeness>$diff)) {
            $closeness = $diff;
            $closest = $match;
        }
    }
    return $closest;
}

Do a linear scan of each number and update two variables and you'll be done.

Python code (performance is O(N), I don't think it's possible to beat O(N)):

def closestNum(numArray, findNum):
    diff = infinity       # replace with actual infinity value
    closestNum = infinity # can be set to any value
    for num in numArray:
        if((num - findNum) > 0 and (num - findNum) < diff):
            diff = num - findNum
            closestNum = num
    return closestNum

Please add null checks as appropriate.