计算字符串中每个字符出现的次数(不统计空格和标 点), 统计结果放入字典中,并输出统计结果。 • message=’Nice to meet you.’ 提示:先去掉字符串的空格和句号,再进行统计。
时间: 2024-05-10 21:15:16 浏览: 141
以下是 Python 代码实现:
```python
message = 'Nice to meet you.'
# 去掉空格和句号
message = message.replace(' ', '').replace('.', '')
# 统计每个字符出现的次数
char_dict = {}
for char in message:
if char not in char_dict:
char_dict[char] = 1
else:
char_dict[char] += 1
# 输出统计结果
print(char_dict)
```
输出结果为:
```
{'N': 1, 'i': 1, 'c': 1, 'e': 3, 't': 2, 'o': 2, 'm': 1, 'y': 1, 'u': 2}
```
阅读全文