java.util.Arrays.binarySearch(T[] a, T key, int fromIndex, int toIndex, Comparator<? super T> c)方法实例
java.util.Arrays.binarySearch(T[] a, T key, int fromIndex, int toIndex, Comparator<? super T> c)方法搜索范围指定数组,使用二进制搜索算法来指定对象。该范围必须根据在进行此调用之前指定的比较器按升序排列。如果不排序,则结果是不确定的。
声明
以下是java.util.Arrays.binarySearch(super,index)方法的声明
public static <T> int binarySearch(T[] a, T key, int fromIndex, int toIndex, Comparator<? super T> c)
参数
-
a -- 这是要搜索的数组。
-
fromIndex -- 第一个元素的索引(包括)到被搜索。
-
toIndex-- 要搜索的最后一个元素(不包括)的索引。
-
key -- 这是要搜索的值。
-
c -- 这是用来对数组进行排序的比较。 null值指示该元素的自然顺序应该被使用。
返回值
此方法返回搜索键的索引,如果它被包含在指定范围内的阵列中;否则,( - (插入点) - 1)。插入点被定义为将键插入数组的那一点:在于此键,则为toIndex更大,如果在该范围内的所有元素都小于指定的键范围的第一个元素的索引。
异常
-
ClassCastException -- 如果范围包含不可相互比较使用指定的比较,或者搜索键是没有可比性使用此比较范围内的元素的元素。
-
IllegalArgumentException -- 如果 fromIndex > toIndex
-
ArrayIndexOutOfBoundsException - 如果fromIndex < 0 或toIndex > a.length
例子
下面的示例演示java.util.Arrays.binarySearch(super,index)方法的用法。
package com.yiibai; import java.util.Arrays; import java.util.Comparator; public class ArrayDemo { public static void main(String[] args) { // initializing unsorted short array Short shortArr[] = new Short[]{5, 2, 15, 52, 10}; // use comparator as null, sorting as natural ordering Comparator<Short> comp = null; // sorting array Arrays.sort(shortArr, comp); // let us print all the elements available in list System.out.println("The sorted short array is:"); for (short number : shortArr) { System.out.println("Number = " + number); } // entering the value to be searched short searchVal = 15; // search between index 1 and 4 int retVal = Arrays.binarySearch(shortArr, 1, 4, searchVal, comp); System.out.println("The index of element 15 is : " + retVal); // search between index 0 and 3, where searchVal doesn't exist retVal = Arrays.binarySearch(shortArr, 0, 3, searchVal, comp); System.out.println("The index of element 15 is : " + retVal); } }
让我们来编译和运行上面的程序,这将产生以下结果:
The sorted short array is: Number = 2 Number = 5 Number = 10 Number = 15 Number = 52 The index of element 15 is : 3 The index of element 15 is : -4