python 字符串替换
时间: 2024-06-12 20:03:16 浏览: 122
在 Python 中,字符串替换是通过内置的 `replace()` 方法或使用正则表达式库 `re` 来完成的。下面是两种主要的方法:
1. **replace() 方法**:
```python
original_string = "Hello, World!"
new_string = original_string.replace("World", "Python")
```
这会将原始字符串中所有的 "World" 替换为 "Python",返回一个新的字符串。
2. **正则表达式(re 模块)**:
```python
import re
original_string = "Hello, World!"
pattern = "World"
replacement = "Python"
new_string = re.sub(pattern, replacement, original_string)
```
`re.sub()` 函数会查找并替换所有匹配正则表达式的子串。
相关问题:
1. `replace()` 方法是否区分大小写?
2. 如何使用正则表达式进行更复杂的模式匹配和替换?
3. 在处理大量文本时,如何提高字符串替换的效率?
阅读全文