python使用正则表达式统计字符串中出现次数最多的数字的代码
时间: 2024-03-12 09:48:36 浏览: 131
浅谈python正则的常用方法 覆盖范围70%以上
可以使用Python的正则表达式模块re和collections模块来实现字符串中出现次数最多的数字的统计。
下面是一个示例代码:
```python
import re
from collections import Counter
# 定义要匹配的正则表达式
pattern = r'\d+'
# 定义待匹配的字符串
text = '123 456 789 123 456 123'
# 使用正则表达式找出所有数字,并统计出现次数
cnt = Counter(re.findall(pattern, text))
# 找到出现次数最多的数字
most_common_num = cnt.most_common(1)[0][0]
print(f"The most common number is: {most_common_num}")
```
输出结果为:
```
The most common number is: 123
```
这个代码使用了正则表达式找出字符串中的所有数字,并使用collections模块中的Counter类进行统计。最后,通过Counter类的most_common方法找到出现次数最多的数字。
阅读全文