二分查找又称为折半查找,该算法的思想是将数列按序分列,回收跳跃式要领举办查找,即先以有序数列的中点位置为较量工具,
假如要找的元素值小于该中点元素,则将待查序列缩小为左半部门,不然为右半部门。以此类推不绝缩小搜索范畴。
[ 二分查找的条件 ]二分查找的先决条件是查找的数列必需是有序的。
[ 二分查找的优缺点 ]利益:较量次数少,查找速度快,平均机能好;
缺点:要求待查数列为有序,且插入删除坚苦;
合用场景:不常常变换而查找频繁的有序列表。
[ 算法步调描写 ]① 首先确定整个查找区间的中间位置 mid = (min + max)/ 2
② 用待查要害字值与中间位置的要害字值举办较量:
i. 若相等,则查找乐成;
ii. 若小于,则在前半个区域继承举办折半查找;
iii. 若大于,则在后半个区域继承举办折半查找;
③ 对确定的缩小区域再按折半公式,反复上述步调。
④ 最后获得功效:要么查找乐成,要么查找失败。折半查找的存储布局回收一维数组存放。
查察本栏目
[ Java实现 ]public class BinarySearch { public static int binarySearch(int[] arr, int target) { if (arr != null) { int min, mid, max; min = 0; // the minimum index max = arr.length - 1; // the maximum index while (min <= max) { mid = (min + max) / 2; // the middle index if (arr[mid] < target) { min = mid + 1; } else if (arr[mid] > target) { max = mid - 1; } else { return mid; } } } return -1; } // test case public static void main(String[] args) { int[] arr = { 1, 2, 3, 5, 6, 7, 8, 9, 23, 34 }; System.out.println(binarySearch(arr, 5)); System.out.println(binarySearch(arr, 23)); System.out.println(binarySearch(arr, 0)); System.out.println(binarySearch(arr, 35)); } }