Binary Search is a searching technique used to search an element in a sorted array. In this article, we will learn about how to implement Binary Search in PHP using iterative and recursive way. Given a array of numbers, we need to search for the presence of element x in the array using Binary Search.
Examples:
Input : 1 2 3 4 5
5
Output : 5 Exists
Input : 1 5 8
0
Output : 0 Doesnt Exist
This searching technique is more efficient than linear search.
Method 1(Iterative):
Steps Involved:
1) Sort the array as binary search only works on sorted ranges
2) Compute the middle element if the element we wish to search is greater than the middle element search on the right side else search on the left.
3) Return True if the element is found.
<?php
function binarySearch(Array $arr , $x )
{
if ( count ( $arr ) === 0) return false;
$low = 0;
$high = count ( $arr ) - 1;
while ( $low <= $high ) {
$mid = floor (( $low + $high ) / 2);
if ( $arr [ $mid ] == $x ) {
return true;
}
if ( $x < $arr [ $mid ]) {
$high = $mid -1;
}
else {
$low = $mid + 1;
}
}
return false;
}
$arr = array (1, 2, 3, 4, 5);
$value = 5;
if (binarySearch( $arr , $value ) == true) {
echo $value . " Exists" ;
}
else {
echo $value . " Doesnt Exist" ;
}
?>
|
Output:
5 Exists
Method 2(Recursive):
Recursion is a way where we repeatedly call the same function until a base condition is matched to end the recursion.
Proceeding with the steps in method 1 here we use the same idea by just changing the parameters of the function in recursive manner and breaking down the problem.
function binarySearch(Array $arr , $start , $end , $x ){
if ( $end < $start )
return false;
$mid = floor (( $end + $start )/2);
if ( $arr [ $mid ] == $x )
return true;
elseif ( $arr [ $mid ] > $x ) {
return binarySearch( $arr , $start , $mid - 1, $x );
}
else {
return binarySearch( $arr , $mid + 1, $end , $x );
}
}
$arr = array (1, 2, 3, 4, 5);
$value = 5;
if (binarySearch( $arr , 0, count ( $arr ) - 1, $value ) == true) {
echo $value . " Exists" ;
}
else {
echo $value . " Doesnt Exist" ;
}
|
Output:
5 Exists
Related PHP functions:
in_array() in PHP
array_key_exists() in PHP
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!