python中repalce用法
时间: 2024-10-24 14:11:46 浏览: 12
Python3 replace()函数使用方法
在Python中,`str.replace()` 是一个内置方法,它用于从给定的字符串中替换指定的子串。该方法的基本语法如下:
```python
original_string.replace(old_substring, new_substring[, count])
```
参数说明:
1. `original_string`: 需要进行替换操作的原始字符串。
2. `old_substring`: 要查找并替换的子串。如果你想要替换的是大小写敏感的子串,记得匹配时区分大小写。
3. `new_substring`: 替换旧子串的新字符串。如果省略此参数,`old_substring`会被删除而不会被替换。
4. `[count]` (可选): 指定替换次数,默认全部替换。若提供一个整数,仅替换前`count`次出现。
下面是一些使用示例:
```python
text = "Hello, World!"
# 替换所有 "World" 为 "Python"
new_text = text.replace("World", "Python")
print(new_text) # 输出:Hello, Python!
# 或者替换一次,只替换第一个出现
new_text = text.replace("World", "Python", 1)
print(new_text) # 输出:Hello, World!
```
阅读全文