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