标签:
Follow up for H-Index: What if the citations array is sorted in ascending order? Could you optimize your algorithm? Hint: Expected runtime complexity is in O(log n) and the input is sorted.
时间 O(logN) 空间 O(1)
在升序的引用数数组中,假设数组长为N,下标为i,则N - i就是引用次数大于等于下标为i的文献所对应的引用次数的文章数。如果该位置的引用数小于文章数,则说明则是有效的H指数,如果一个数是H指数,那最大的H指数一定在它的后面(因为是升序的)。根据这点就可已进行二分搜索了。这里min = mid + 1
的条件是citations[mid] < n - mid
,确保退出循环时min肯定是指向一个有效的H指数。
注意Corner Cases, 还是不是很清晰
1 public class Solution { 2 public int hIndex(int[] citations) { 3 if (citations==null || citations.length==0) return 0; 4 int N = citations.length; 5 int l=0, r=citations.length-1; 6 while (l <= r) { 7 int m = (l+r)/2; 8 if (N-m > citations[m]) l = m+1; 9 else r = m-1; 10 } 11 return N-l; 12 } 13 }
标签:
原文地址:http://www.cnblogs.com/EdwardLiu/p/5074806.html