[문제]
알파벳 대소문자로 된 단어가 주어지면, 이 단어에서 가장 많이 사용된 알파벳이 무엇인지 알아내는 프로그램을 작성하시오. 단, 대문자와 소문자를 구분하지 않는다.
입력
첫째 줄에 알파벳 대소문자로 이루어진 단어가 주어진다. 주어지는 단어의 길이는 1,000,000을 넘지 않는다.
출력
첫째 줄에 이 단어에서 가장 많이 사용된 알파벳을 대문자로 출력한다. 단, 가장 많이 사용된 알파벳이 여러 개 존재하는 경우에는 ?를 출력한다.
[나의 풀이]
from collections import defaultdict
word = list(input().lower())
cnt_dict = defaultdict(int)
for w in word:
cnt_dict[w] += 1
max_num = max(cnt_dict.values())
if list(cnt_dict.values()).count(max_num) > 1:
print('?')
else:
print(max(cnt_dict.keys(),key=lambda x: cnt_dict[x]).upper())
- defaultdict를 사용하여 풀어봤다.
- 메모리나 시간 면에서 비효율적으로 푼거같지만 lambda를 사용한 max를 사용해서 풀고만싶었다.
[다른 사람의 풀이]
words = input().upper()
unique_words = list(set(words)) # 입력받은 문자열에서 중복값을 제거
cnt_list = []
for x in unique_words :
cnt = words.count(x)
cnt_list.append(cnt) # count 숫자를 리스트에 append
if cnt_list.count(max(cnt_list)) > 1 : # count 숫자 최대값이 중복되면
print('?')
else :
max_index = cnt_list.index(max(cnt_list)) # count 숫자 최대값 인덱스(위치)
print(unique_words[max_index])
'알고리즘 > 알고리즘 문제' 카테고리의 다른 글
[python] 백준 > ACM호텔(10250) (0) | 2021.02.22 |
---|---|
[python] 프로그래머스 > 땅따먹기 (0) | 2021.02.22 |
[python] 백준 > 수학, 사칙연산 > 알람 시계(2884) (0) | 2021.02.20 |
[python] 백준 > 문자열, 구현 > 팰린드롬수(1259) (0) | 2021.02.19 |
[python] 백준 > 분할정복, 재귀 > Z(1074) (0) | 2021.02.19 |