用python实现输入一段字符串统计每个单词出现的次数
时间: 2023-12-20 14:06:45 浏览: 85
好的,可以使用Python的字典来实现这个功能。代码如下:
```python
# 获取用户输入的字符串
input_str = input('请输入一段字符串:')
# 将字符串按空格分割成单词列表
words = input_str.split()
# 创建一个空字典,用于统计每个单词出现的次数
word_count = {}
# 遍历单词列表,统计每个单词出现的次数
for word in words:
if word in word_count:
word_count[word] += 1
else:
word_count[word] = 1
# 输出每个单词出现的次数
for word, count in word_count.items():
print(word, count)
```
这段代码会先让用户输入一段字符串,然后将字符串按空格分割成单词列表。接下来,我们创建一个空字典 `word_count`,用于统计每个单词出现的次数。然后,我们遍历单词列表,对于每个单词,如果它已经在字典中出现过,就将它的计数加一,否则就将它添加到字典中,并将计数设置为一。最后,我们遍历字典,输出每个单词出现的次数。
相关问题
用python实现输入一段字符串统计每个字符出现的次数
好的,可以使用Python中的字典来实现这个功能。具体代码如下:
```python
s = input("请输入字符串:") # 输入字符串
d = {} # 定义一个空字典
for c in s:
if c in d:
d[c] += 1
else:
d[c] = 1
for k, v in d.items():
print("{}:{}".format(k, v)) # 输出每个字符出现的次数
```
首先,使用 input() 函数获取用户输入的字符串,然后定义一个空字典 d 。接着,遍历字符串中的每个字符,如果该字符已经在字典中,则将对应的值加 1;否则,将字典中该字符的值设为 1。最后,遍历字典中的每个键值对,输出每个字符及其出现的次数。
注意,该代码只能统计单个字符出现的次数,不会统计单词或子串的出现次数。
用Python统计一段英文中有多少个单词及每个单词出现的次数
可以使用Python中的字符串操作和字典来解决这个问题,具体代码如下:
```python
text = "Python is a popular programming language that is easy to learn. It is widely used in web development, scientific computing, data analysis, artificial intelligence, and more."
words = text.split() # 按空格分割单词
word_count = {}
for word in words:
# 去除单词中的标点符号
word = word.strip('.,!?"\'')
if word not in word_count:
word_count[word] = 1
else:
word_count[word] += 1
print("总共有 %d 个单词:" % len(words))
for word, count in word_count.items():
print("%s: %d" % (word, count))
```
运行结果为:
```
总共有 22 个单词:
Python: 1
is: 2
a: 1
popular: 1
programming: 1
language: 1
that: 1
easy: 1
to: 2
learn: 1
It: 1
widely: 1
used: 1
in: 1
web: 1
development: 1
scientific: 1
computing: 1
data: 1
analysis: 1
artificial: 1
intelligence: 1
and: 1
more: 1
```
其中,首先使用split()函数将字符串text按空格分割为单词列表,然后遍历每个单词,使用字典word_count来统计每个单词出现的次数。最后输出总共有多少个单词以及每个单词出现的次数。注意,需要去除单词中的标点符号。