python中字符串消除空格
时间: 2023-10-24 08:08:44 浏览: 171
在Python中,可以使用strip()方法来消除字符串两端的空格,也可以使用replace()方法来替换字符串中的空格。例如:
```python
s = " hello world! "
s = s.strip() # 消除两端空格
print(s) # 输出 "hello world!"
s = " hello world! "
s = s.replace(" ", "") # 替换空格
print(s) # 输出 "helloworld!"
```
需要注意的是,以上两种方法都不会改变原始字符串的值,而是返回一个新的字符串。如果想要在原始字符串上进行修改,则需要重新赋值。
相关问题
python中字符串去掉空格
在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'
```
python判断字符串中空格数量
可以使用 Python 内置函数 `count()` 来判断字符串中空格的数量,示例如下:
```python
s = "hello world"
count = s.count(" ")
print(count)
```
输出结果为:
```
1
```
其中 `count()` 函数的参数是待查找的子字符串,返回值是子字符串在原字符串中出现的次数。因此,以上代码中 `count` 的值就是字符串 `s` 中空格的数量。
阅读全文