python中字符串去掉空格
时间: 2024-10-23 10:20:25 浏览: 21
Python去掉字符串中空格的方法
5星 · 资源好评率100%
在Python中,你可以使用几种方法来去除字符串中的空格:
1. 去除字符串开头的空格:
```python
str = " Hello world "
str_lstrip = str.lstrip() # 使用lstrip()方法
print(str_lstrip) # 输出: 'Hello world'
```
2. 去除字符串结尾的空格:
```python
str = " Hello world "
str_rstrip = str.rstrip() # 使用rstrip()方法
print(str_rstrip) # 输出: 'Hello world '
```
3. 如果你想完全移除字符串中的所有空格(包括开头、结尾以及内部的空格),可以结合`lstrip()`和`rstrip()`:
```python
str = " Hello world "
str_strip = str.strip() # 或者直接使用strip()方法
print(str_strip) # 输出: 'Hello world'
```
4. `replace()`方法用于替换字符串中的某个字符,但不是用来移除空格的,如果你想要替换空格为其他字符,可以这样做:
```python
str = " Hello world "
new_str = str.replace(" ", "") # 替换为空字符串,即删除空格
print(new_str) # 输出: 'Helloworld'
```
阅读全文