题目描述比较长,直接上链接了:
https://leetcode.com/problems/h-index/
个人认为LeetCode上的题目描述并不是很清楚,详情请查看题目中的维基百科链接。
H-Index的核心计算方法如下:
1、将某作者的所有文章的引用频次按照从大到小的位置排列
2、从前到后,找到最后一个满足条件的位置,其条件为:
此位置是数组的第x个,其值为y,必须满足 y >= x;
至此,思路已经形成。即先排序,然后从前向后遍历即可。
题目代码如下:
public class Solution {
public int hIndex(int[] citations)
{
int h = 0;
if(null == citations)
{
return h;
}
//我的解法是按照频次从小到大排列。之后需要从后向前遍历。只是方向发生了改变,不影响结果。
Arrays.sort(citations);
for(int loc = citations.length - 1; loc >= 0 && citations[loc] >= (citations.length - loc) ; --loc)
{
h = citations.length - loc;
}
return h;
}
}