1.二分查找又稱折半查找,它是一種效率較高的查找方法。算法
2.二分查找要求:(1)必須採用順序存儲結構 (2).必須按關鍵字大小有序排列數組
3.原理:將數組分爲三部分,依次是中值(所謂的中值就是數組中間位置的那個值)前,中值,中值後;將要查找的值和數組的中值進行比較,若小於中值則在中值前 面找,若大於中值則在中值後面找,等於中值時直接返回。而後依次是一個遞歸過程,將前半部分或者後半部分繼續分解爲三部分。spa
4.實現:二分查找的實現用遞歸和循環兩種方式code
5.代碼:blog
1 package other; 2 3 public class BinarySearch { 4 /* 5 * 循環實現二分查找算法arr 已排好序的數組x 須要查找的數-1 沒法查到數據 6 */ 7 public static int binarySearch(int[] arr, int x) { 8 int low = 0; 9 int high = arr.length-1; 10 while(low <= high) { 11 int middle = (low + high)/2; 12 if(x == arr[middle]) { 13 return middle; 14 }else if(x <arr[middle]) { 15 high = middle - 1; 16 }else { 17 low = middle + 1; 18 } 19 } 20 return -1; 21 } 22 //遞歸實現二分查找 23 public static int binarySearch(int[] dataset,int data,int beginIndex,int endIndex){ 24 int midIndex = (beginIndex+endIndex)/2; 25 if(data <dataset[beginIndex]||data>dataset[endIndex]||beginIndex>endIndex){ 26 return -1; 27 } 28 if(data <dataset[midIndex]){ 29 return binarySearch(dataset,data,beginIndex,midIndex-1); 30 }else if(data>dataset[midIndex]){ 31 return binarySearch(dataset,data,midIndex+1,endIndex); 32 }else { 33 return midIndex; 34 } 35 } 36 37 public static void main(String[] args) { 38 int[] arr = { 6, 12, 33, 87, 90, 97, 108, 561 }; 39 System.out.println("循環查找:" + (binarySearch(arr, 87) + 1)); 40 System.out.println("遞歸查找"+binarySearch(arr,3,87,arr.length-1)); 41 } 42 }