二分查找又称折半查找,优点是比较次数少,查找速度快,平均性能好;其缺点是要求待查表为有序表,且插入删除困难。因此,折半查找方法适用于不经常变动而查找频繁的有序列表。首先,假设表中元素是按升序排列,将表中间位置记录的关键字与查找关键字比较,如果两者相等,则查找成功;否则利用中间位置记录将表分成前、后两个子表,如果中间位置记录的关键字大于查找关键字,则进一步查找前一子表,否则进一步查找后一子表。重复以上过程,直到找到满足条件的记录,使查找成功,或直到子表不存在为止,此时查找不成功。
public class BinarySearch {
public static void main(String[] args) {
int[] src = new int[] {1, 3, 5, 7, 8, 9};
System.out.println(binarySearch(src, 3));
}
public static int binarySearch(int []a,int desc){
int low = 0;
int high = a.length;
while (low <=high){
int middle = (low + high) / 2;
if (desc == a[middle]){
return 1;
} else if (desc < a[middle]){
high = middle - 1;
} else {
low = middle + 1;
}
}
return -1;
}
}
1528

被折叠的 条评论
为什么被折叠?



