java 实现对List做二分查找(支持泛型)
常用算法链接:https://www.cnblogs.com/yw09041432/p/5908444.html
public class Main { public static void main(String[] args) { List<Integer> list = new ArrayList<>(); for(int i = 1 ; i< 21 ; ++i){ list.add(i); } find(1,list); find(20,list); find(15,list); find(6,list); } public static void find(Integer value,List<Integer> list){ System.out.println("value ["+value+"]" + " in position : " + BinarySearch.binarySearch(list,value)); } } /** * 二分查找 * */ class BinarySearch { /** * @param list 有序列表 * @param lo 查找开始位置 * @param hi 查找的结束位置 * @param value 查找的元素 * @param comparator 比较器 * @return 如果找到 返回元素value的索引,否则返回 < 0 * */ public static <T> int binarySearch (List<T> list,int lo,int hi,T value,Comparator<? super T> comparator){ if(comparator == null){ throw new IllegalArgumentException("comparable can not be null!"); } if(!checkList(list)){ return 0; } checkBinarySearchBounds(lo, hi, list.size()); while (lo <= hi) { final int mid = (lo + hi) >>> 1; final T midVal = list.get(mid); if (comparator.compare(midVal,value) < 0 ) { lo = mid + 1; } else if (comparator.compare(midVal,value) > 0) { hi = mid - 1; } else { return mid; // value found } } return ~lo; // value not present } /** * @param list 有序列表 * @param value 查找的元素 * @param comparator 比较器 * @return 元素 如果找到 返回元素value的索引,否则返回 < 0 * */ public static <T> int binarySearch (List<T> list,T value,Comparator<? super T> comparator){ if(!checkList(list)){ return 0; } return binarySearch(list,0, list.size() - 1 ,value,comparator); } /** * @param list 有序列表,元素必须实现了Comparable接口 * @param lo 查找开始位置 * @param hi 查找的结束位置 * @param value 查找的元素 * @return 元素 如果找到 返回元素value的索引,否则返回 < 0 * */ public static <T extends Comparable<T>> int binarySearch (List<T> list,int lo,int hi, T value){ if(!checkList(list)){ return 0; } checkBinarySearchBounds(lo,hi, list.size()); while (lo <= hi) { final int mid = (lo + hi) >>> 1; final T midVal = list.get(mid); if (midVal.compareTo(value) < 0 ) { lo = mid + 1; } else if (midVal.compareTo(value) > 0) { hi = mid - 1; } else { return mid; // value found } } return ~lo; // value not present } /** * @param list 有序列表 元素必须实现了Comparable接口 * @param value 查找的元素 * @return 元素 如果找到 返回元素value的索引,否则返回 < 0 * */ public static <T extends Comparable<T>> int binarySearch (List<T> list, T value){ if(!checkList(list)){ return 0; } return binarySearch(list,0, list.size() - 1 ,value); } /** * @param list true代表list非空,否则为false * */ private static boolean checkList(List list){ return list != null && !list.isEmpty(); } private static void checkBinarySearchBounds(int startIndex, int endIndex, int length) { if (startIndex > endIndex) { throw new IllegalArgumentException(); } if (startIndex < 0 || endIndex > length) { throw new ArrayIndexOutOfBoundsException(); } } }
value [1] in position : 0 value [20] in position : 19 value [15] in position : 14 value [6] in position : 5
浙公网安备 33010602011771号