[프로그래머스, python3] H-Index (sorted) | |
난이도 | Level 2 |
분류 | 정렬 |
programmers.co.kr/learn/courses/30/lessons/42747 |
문제 설명
H-Index는 과학자의 생산성과 영향력을 나타내는 지표입니다. 어느 과학자의 H-Index를 나타내는 값인 h를 구하려고 합니다. 위키백과1에 따르면, H-Index는 다음과 같이 구합니다.
어떤 과학자가 발표한 논문 n편 중, h번 이상 인용된 논문이 h편 이상이고 나머지 논문이 h번 이하 인용되었다면 h의 최댓값이 이 과학자의 H-Index입니다.
어떤 과학자가 발표한 논문의 인용 횟수를 담은 배열 citations가 매개변수로 주어질 때, 이 과학자의 H-Index를 return 하도록 solution 함수를 작성해주세요.
제한사항
- 과학자가 발표한 논문의 수는 1편 이상 1,000편 이하입니다.
- 논문별 인용 횟수는 0회 이상 10,000회 이하입니다.
입출력 예
citations | return |
[3, 0, 6, 1, 5] | 3 |
이 과학자가 발표한 논문의 수는 5편이고, 그중 3편의 논문은 3회 이상 인용되었습니다. 그리고 나머지 2편의 논문은 3회 이하 인용되었기 때문에 이 과학자의 H-Index는 3입니다.
소스코드
1
2
3
4
5
6
7
|
def solution(citations):
citations = sorted(citations)
l = len(citations)
for i in range(l):
if citations[i] >= l-i:
return l-i
return 0
|
- h는 h회 이상 인용된 논문의 개수이기에 h의 최대값은 n(=len(citations))이 된다.
분석
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
|
def solution(citations):
citations = sorted(citations)
l = len(citations)
print(f"citations : {citations}, len = {l}")
for i in range(l):
print(f"(i->{i}), ((citations[{i}])->{citations[i]})>=(l-i->{l-i}), {citations[i] >= l-i}")
if citations[i] >= l-i:
return l-i
return 0
if __name__ == "__main__":
print('-' * 40)
citations = [3,0,6,1,5]
correct_answer = 3
answer = solution(citations)
print('answer :' , answer, '/ correct_answer :' , correct_answer)
if correct_answer == answer:
print(f'테스트를 통과하였습니다.')
else:
print(f'테스트를 통과하지 못했습니다.')
print('-' * 40)
----------------------------------------
citations : [0, 1, 3, 5, 6], len = 5
(i->0), ((citations[0])->0)>=(l-i->5), False
(i->1), ((citations[1])->1)>=(l-i->4), False
(i->2), ((citations[2])->3)>=(l-i->3), True
answer : 3 / correct_answer : 3
테스트를 통과하였습니다.
----------------------------------------
|
cs |
'프로그래머스' 카테고리의 다른 글
[프로그래머스, c++] 타겟넘버(DFS) (0) | 2021.03.27 |
---|---|
[프로그래머스, python3] 기능개발 (Queue) (0) | 2021.01.14 |
[프로그래머스, python3] 주식가격(이중 for문, Stack) (2) | 2021.01.13 |
[프로그래머스, python3] 가장 큰 수(sorted, cmp_to_key ) (0) | 2021.01.03 |
[프로그래머스, python3] K번째 수(sorted) (0) | 2021.01.03 |