PHP折半查找算法实例分析php技巧
来源:阿斌啊
发布时间:2018-12-05 15:47:11
阅读量:949
这篇文章主要介绍了PHP折半(二分)查找算法,结合实例形式较为详细的分析了php折半(二分)查找算法的概念、原理、实现与使用方法,并附带了一个php折半(二分)查找算法类供大家参考,需要的朋友可以参考下
本文实例讲述了PHP折半(二分)查找算法。分享给大家供大家参考,具体如下:
折半查询只适用于已经按照正序或者逆序排序的数组,字符串等;
算法:
先取数组的中间位置,无中间位置,则向下取整;
从中间进行折半,大小判断,进入前半段或者后半段;
再对前半段或者后半段进行同样的折半查询,
直到查询到匹配的字符,才停止(本例用break,如果置于函数中,return即可)
php实现的代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 | <?php
$arr = array (1,2,3,4,5,6,7,8,9,10);
$key = 4;
$low = 0;
$high = count ( $arr );
while ( $low <= $high ){
$mid = floor (( $low + $high )/2);
if ( $arr [ $mid ] == $key ){
echo $arr [ $mid ];
break ;
} elseif ( $arr [ $mid ] > $key ){
$high = $mid - 1;
} else {
$low = $mid + 1;
}
}
?>
|
补充:折半(二分)查找算法类:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 |
class binary_search{
public $arr ;
public $key ;
function __construct( $arr , $key ){
$this ->arr= $arr ;
$this ->key= $key ;
}
function binarysearch(){
$start =0;
$end = count ( $this ->arr)-1;
while ( $start <= $end ){
$mid = ceil (( $start + $end )/2);
if ( $this ->arr[ $mid ]< $this ->key){
$start = $mid +1;
} else if ( $this ->arr[ $mid ]> $this ->key){
$end = $mid -1;
} else {
return $mid ;
}
}
}
}
|
可能大家还会遇到这种情况,数组中的元素有重复数据,需要返回的是重复数据中的第一个元素的位置,例如
1 | $arr = array (1,2,3,4,5,6,6,6,6,7,8);
|
查找6这个元素时返回的位置应该为5,而不是其他(下标从0开始计数),这样需要在返回的mid进行判断,代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 |
class binary_search{
public $arr ;
public $key ;
function __construct( $arr , $key ){
$this ->arr= $arr ;
$this ->key= $key ;
}
function binarysearch(){
$start =0;
$end = count ( $this ->arr)-1;
while ( $start <= $end ){
$mid = ceil (( $start + $end )/2);
if ( $this ->arr[ $mid ]< $this ->key){
$start = $mid +1;
} else if ( $this ->arr[ $mid ]> $this ->key){
$end = $mid -1;
} else {
for ( $i = $mid -1; $i >=0; $i --){
if ( $this ->arr[ $i ]== $this ->key){
$mid = $i ;
} else {
break ;
}
}
return $mid ;
}
}
}
}
|
您可能感兴趣的文章:
PHP折半(二分)查找算法实例分析php技巧
layui框架实现文件上传及TP3.2.3对上传文件进行后台处理操作示例
Laravel框架实现model层的增删改查操作示例