p ython统计字符串出现的次数
时间: 2023-07-29 21:07:16 浏览: 96
可以使用Python内置函数`count`来统计字符串中某个字符或子串出现的次数。
例如,如果想要统计字符串`"hello world"`中字符`l`出现的次数,可以这样写:
```
s = "hello world"
count = s.count('l')
print(count)
```
输出结果为:
```
3
```
如果想要统计子串`"lo"`出现的次数,可以这样写:
```
s = "hello world"
count = s.count('lo')
print(count)
```
输出结果为:
```
1
```
相关问题
p ython统计字符串出现个数
可以使用Python中的Counter模块来统计字符串中每个字符出现的个数,示例代码如下:
```python
from collections import Counter
s = "hello world"
char_count = Counter(s)
print(char_count)
```
输出结果为:
```
Counter({'l': 3, 'o': 2, 'e': 1, 'h': 1, ' ': 1, 'w': 1, 'r': 1, 'd': 1})
```
其中,Counter返回的是一个字典,键为字符串中的每个字符,值为该字符在字符串中出现的次数。
p ython统计字符串各字母字符的次数
可以使用Python的collections模块中的Counter函数来统计字符串中各字母字符的次数。具体代码如下:
```python
from collections import Counter
string = "Hello, World!"
counter = Counter(string)
print(counter)
```
输出结果如下:
```
Counter({'l': 3, 'o': 2, 'H': 1, 'e': 1, ',': 1, ' ': 1, 'W': 1, 'r': 1, 'd': 1, '!': 1})
```
其中,Counter函数将字符串转换为字典形式,每个字母作为key,出现次数作为value。
阅读全文