【描述】
英文文章,单词之间通过逗号、句号或空格分隔。统计不同长度的单词数量,按单词由短到长的顺序输出,最后输出所有单词的平均长度(用除式表示)。
例如:
I am a student.
长度为1的单词有2个,长度为2的单词有1个,长度为7的单词有1个,所有单词的长度之和为11。
输出为;
(1,2)
(2,1)
(7,1)
11/4
圆括号中,左边的数值表示单词长度,右边的数值表示该长度的单词个数。除式中,分子表示所有单词的长度之和,分母表示所有单词的个数。
【输入】
英文文章,单词之间通过逗号、句号或空格分隔。
【输出】
按长度由短到长的顺序,输出不同长度单词的个数,并输出平均长度。
【输入示例】
I am a student.
【输出示例】
(1,2)
(2,1)
(7,1)
11/4
def count_words_and_average_length(article):
words = article.replace(',', '').replace('.', '').split()
word_lengths = {}
for word in words:
length = len(word)
if length in word_lengths:
word_lengths[length] += 1
else:
word_lengths[length] = 1
total_length = 0
total_words = 0
for length in sorted(word_lengths.keys()):
count = word_lengths[length]
total_length += length * count
total_words += count
print(f"({length},{count})")
average_length = total_length / total_words
print(f"{total_length}/{total_words}")
article = input()
count_words_and_average_length(article)