python删除字符串中指定字符
时间: 2023-09-06 13:07:10 浏览: 256
可以使用字符串的replace()方法来删除指定字符,例如:
```python
s = "hello, world!"
s = s.replace(",", "") # 删除逗号
print(s) # 输出: hello world!
```
另外,也可以使用join()方法和列表推导式来删除指定字符,例如:
```python
s = "hello, world!"
s = "".join([c for c in s if c != ","]) # 删除逗号
print(s) # 输出: hello world!
```
相关问题
python删掉字符串中一指定字符结尾的内容
要删除字符串中指定字符结尾的内容,你可以使用字符串的 `rstrip()` 方法。这个方法会删除字符串末尾的指定字符及其后面的所有字符。
下面是一个示例:
```python
string = "Hello World!"
suffix = "ld!"
new_string = string.rstrip(suffix)
print(new_string)
```
输出:
```
Hello Wor
```
在上面的示例中,我们使用 `rstrip()` 方法删除了字符串 `string` 中以 "ld!" 结尾的内容,得到了新的字符串 `new_string`。
阅读全文