[Java][Leetcode middle] 274. H 指数

没做出来,看的解析。

一、 先对数组进行逆序,然后判断是否符合

3,0,6,1,5\] --\> \[6,5,3,1,0

对于i=3时:如果hIndex想为4(4个引用4以上的论文),那么:citations[3] 需要大于等于4(I+1)。 一旦不满足,说明不符合本条件,直接返回i即可。

java 复制代码
class Solution {
    public int hIndex(int[] citations) {
         Arrays.sort(citations);
         reverse(citations);

         for(int i=0;i<citations.length;i++){
              if(citations[i] <i+1){
                 return i;
              }
         }
         return citations.length;
    }

    public void reverse(int[] nums){
         int start = 0;
         int end = nums.length-1;
         while(start < end){
            int tmp = nums[start];
            nums[start] = nums[end];
            nums[end] = tmp;
            start++;
            end--;
         }
    }
}

二、 先对数组进行正序,然后判断是否符合

就是上一个的转置版本

3,0,6,1,5\] --\> \[0, 1, 3 ,5 ,6

n-i: 5 4 3 2 1

如果要满足条件,citations[I] 必须大于等于n-i

java 复制代码
class Solution {
    public int hIndex(int[] citations) {
         Arrays.sort(citations);
         int n = citations.length;
         for(int i=0;i<n ;i++){
              if(citations[i] >= n-i){
                 return n-i;
              }
         }
         return 0;
    }
}

三、使用一个数组统计 引用次数为i的论文数量

o(N)

java 复制代码
class Solution {
    public int hIndex(int[] citations) {
        int n = citations.length;
        // 引用次数为i的论文数量(0-n,共n+1项)
        int[] counts  = new int[n+1];

        for(int cite : citations){
            if(cite >=n){
                counts[n]++;
            }else{
                counts[cite]++;
            }
        }
        
        int total = 0;
        for(int i = n;i>=0;i--){
            total += counts[i];
            if(total >= i){
                return i;
            }
        }
        return 0;
    }

}

四、利用二分查找

  • O(N log N)
  • hIndex最小是0,最大是数组长度n
  • 先猜测一个hIndex值mid,然后在数组中统计这个值是否满足条件。如果满足,说明至少是mid,还有可能更多。如果不满足,则缩小查找范围。
java 复制代码
class Solution {
    public int hIndex(int[] citations) {
        
         int left = 0,right = citations.length;
         int mid = 0;
         int i;
         int cnt=0;

         while(left<right){
            mid = (left + right + 1) >>1;

            cnt = 0;
            for(i=0;i<citations.length;i++){
                if(citations[i] >= mid){
                    cnt ++;
                }
            }
            if(cnt >= mid){
               left = mid;
            }else{
               right = mid - 1;
            }
         }
         return left;
    }
}
相关推荐
晚晚不晚2 小时前
分页查询后端实现
java
talen_hx2962 小时前
emqx的Keep alive
java·笔记·学习
huanmieyaoseng10032 小时前
Mybatis常见面试题
java·开发语言·mybatis
你撅嘴真丑2 小时前
a 进制转 b 进制(2~16)
算法
無限進步D7 小时前
Java 运行原理
java·开发语言·入门
難釋懷7 小时前
安装Canal
java
是苏浙7 小时前
JDK17新增特性
java·开发语言
阿里加多10 小时前
第 4 章:Go 线程模型——GMP 深度解析
java·开发语言·后端·golang
likerhood10 小时前
java中`==`和`.equals()`区别
java·开发语言·python