python去除字符串右边空白符
时间: 2023-09-22 12:12:05 浏览: 86
可以使用字符串的rstrip()方法去除右边的空白符,例如:
```python
s = " hello world "
s = s.rstrip()
print(s) # 输出 " hello world"
```
如果想删除指定字符,可以在rstrip()方法中传入需要删除的字符,例如:
```python
s = " hello world! "
s = s.rstrip("!")
print(s) # 输出 " hello world "
```
相关问题
python去除字符串左侧的空白符
可以使用字符串的lstrip()方法来去除左侧的空白符,示例如下:
```python
s = " hello world"
s = s.lstrip()
print(s) # 输出: "hello world"
```
lstrip()方法会返回去除左侧空白符后的新字符串,原字符串并不会被修改。
python去除字符串前后空白字符
可以使用字符串的 `strip()` 方法来去除字符串前后的空白字符。例如:
```python
s = " hello world "
s = s.strip()
print(s) # 输出 "hello world"
```
`strip()` 方法默认会去除字符串前后的空格、制表符、换行符等空白字符。如果你只想去除字符串开头或结尾的空白字符,可以使用 `lstrip()` 或 `rstrip()` 方法。例如:
```python
s = " hello world "
s = s.lstrip()
print(s) # 输出 "hello world "
s = " hello world "
s = s.rstrip()
print(s) # 输出 " hello world"
```
阅读全文