- https://leetcode.cn/problems/h-index/description/?envType=study-plan-v2&envId=top-interview-150
注:題目有點難理解,多讀幾遍
可以這樣考慮,建立另一個臨時陣列temp,當第i篇文章被引用citiations[i]次時,令j<=citiations[i]的temp[j]均加一,也就是現在對於任意j至少有temp[j]篇論文引用次數大於等於j。因為h是最大值,那麼遍歷temp最後一個滿足temp[j]>=j的j就是所求。
當然,以上的時間複雜度和空間複雜度都比較大,另一種好的方法是先排序後遍歷。
先將陣列citiations進行排序,如何從大的一端向小的一端遍歷,那麼令h一開始為0,每當遍歷到一個citiations[i]時,就說明多了一個滿足條件的論文,h也就可以加一,直到"h大於citiations[i]"時,也就意味著不在存在滿足條件的論文了,遍歷也就結束了。
實現程式碼:
class Solution {
public:
int hIndex(vector<int>& citations) {
int temp[5001]={0};
int h=0;
for(int i=0;i<citations.size();i++){
for(int j=1;j<=citations[i];j++){
temp[j]++;
}
}
for(int i=1;i<5000;i++){
if(temp[i]>=i){
h=i;
}
}
return h;
}
};
class Solution {
public:
int hIndex(vector<int>& citations) {
sort(citations.begin(), citations.end());
int h = 0, i = citations.size() - 1;
while (i >= 0 && citations[i] > h) {
h++;
i--;
}
return h;
}
};
本文由部落格一文多發平臺 OpenWrite 釋出!