谈谈 re 模块中 search 函数 与 match 函数 的区别,举例说明
时间: 2024-04-17 10:26:03 浏览: 141
`re` 模块中的 `search()` 函数和 `match()` 函数都用于在字符串中搜索匹配的模式,但它们在匹配的方式和位置上有一些区别。
1. `search()` 函数:搜索整个字符串,返回第一个匹配项
- `search()` 函数在字符串中搜索整个范围,返回第一个与模式匹配的子字符串。它不仅仅是从字符串的开头开始匹配,而是在整个字符串中寻找匹配项。返回的匹配对象可以通过 `.start()` 和 `.end()` 方法获取匹配的起始和结束位置。
示例代码:
```python
import re
text = "The quick brown fox jumps over the lazy dog."
pattern = r"fox"
match = re.search(pattern, text)
if match:
print(f"Found at position {match.start()} - {match.end()}")
else:
print("Pattern not found.")
```
输出:
```
Found at position 16 - 19
```
2. `match()` 函数:从字符串开头开始匹配
- `match()` 函数只在字符串的开头进行匹配。它尝试从字符串的起始位置开始匹配模式,如果模式与字符串的开头不匹配,则返回 `None`。返回的匹配对象可以通过 `.start()` 和 `.end()` 方法获取匹配的起始和结束位置。
示例代码:
```python
import re
text = "The quick brown fox jumps over the lazy dog."
pattern = r"The"
match = re.match(pattern, text)
if match:
print(f"Found at position {match.start()} - {match.end()}")
else:
print("Pattern not found.")
```
输出:
```
Found at position 0 - 3
```
需要注意的是,`match()` 函数只能从字符串的开头开始匹配,而 `search()` 函数可以搜索整个字符串。因此,在选择使用哪个函数时,需要根据匹配的需求和位置来决定。
阅读全文