我希望编写一个程序,让用户输入一个字符串,然后显示输入字符串中最常出现的字符。我最初写了一个程序,计算一个特定字母出现的次数(字母T),但是希望转换它。但是,它可能需要一个全新的代码。
我以前的课程在这里:
# This program counts the number of times
# the letter T (uppercase or lowercase)
# appears in a string.
def main():
# Create a variable to use to hold the count.
# The variable must start with 0.
count = 0
# Get a string from the user.
my_string = input('Enter a sentence: ')
# Count the Ts.
for ch in my_string:
if ch == 'T' or ch == 't':
count += 1
# Print the result.
print('The letter T appears', count, 'times.')
# Call the main function.
main()
与this code类似,但我不熟悉那里使用的很多内容。我认为我使用的Python版本较旧,但我可能不正确。
答案 0 :(得分:6)
你可以使用Py的std lib中的collections.Counter
看看here。
另外,一个小例子:
>>> from collections import Counter
>>> Counter('abracadabra').most_common(3)
[('a', 5), ('r', 2), ('b', 2)]
一个班轮!
count = [(i, string.count(i)) for i in set(string)]
或者如果你想编写自己的函数(这很有趣!)你可以从这样的东西开始:
string = "abracadabra"
def Counter(string):
count = {}
for each in string:
if each in count:
count[each] += 1
else:
count[each] = 1
return count # Or 'return [(k, v) for k, v in count]'
Counter(string)
out: {'a': 5, 'r': 2, 'b': 2, 'c': 1, 'd': 1}
答案 1 :(得分:0)
>>> s = 'abracadabra'
>>> max([(i, s.count(i)) for i in set(s.lower)], key=lambda x: x[1])
('a', 5)
这不会显示关系。这将:
>>> s = 'abracadabrarrr'
>>> lcounts = sorted([(i, s.count(i)) for i in set(s)], key=lambda x: x[1])
>>> count = max(lcounts, key=lambda x: x[1])[1]
>>> filter(lambda x: x[1] == count, lcounts)
[('a', 5), ('r', 5)]