演算法:當資料量很大適宜採用此方法。採用二分法查找時,資料需是有序不重複的。 基本概念:假設資料是按升序排序的,對於給定值x,從序列的中間位置開始比較,如果當前位置值等於x,則查找成功;若x 小於當前位置值,則在數列的前半段中查找;若x 大於目前位置值則在數列的後半段中繼續查找,直到找到為止。
假設有一個數組 { 12, 23, 34, 45, 56, 67, 77, 89, 90 },現要求採用二分法找出指定的數值並將其在數組的索引返回,如果沒有找到則返回-1。程式碼如下:
package cn.sunzn.dichotomy; public class DichotomySearch { public static void main(String[] args) { int[] arr = new int[] { 12, 23, 34, 45, 56, 67, 77, 89, 90 }; System.out.println(search(arr, 12)); System.out.println(search(arr, 45)); System.out.println(search(arr, 67)); System.out.println(search(arr, 89)); System.out.println(search(arr, 99)); } public static int search(int[] arr, int key) { int start = 0; int end = arr.length - 1; while (start <= end) { int middle = (start + end) / 2; if (key < arr[middle]) { end = middle - 1; } else if (key > arr[middle]) { start = middle + 1; } else { return middle; } } return -1; } }
更多Java 程式設計下的二分法查找相關文章請關注PHP中文網!