字符串去掉空格python代码
时间: 2023-07-16 12:16:20 浏览: 102
可以使用字符串的 `strip()` 方法去掉字符串两端的空格,或者使用 `replace()` 方法将字符串中的空格替换为空字符串。
示例代码:
```python
s = " hello world "
# 使用 strip() 方法去掉两端空格
s_stripped = s.strip()
print(s_stripped) # 输出:hello world
# 使用 replace() 方法替换空格为空字符串
s_replaced = s.replace(" ", "")
print(s_replaced) # 输出:helloworld
```
相关问题
python实现字符串去掉空格
在Python中,实现字符串去掉空格的功能可以通过几种不同的方法来完成。这里提供一种简单且常用的方法,即使用字符串的`replace`方法,或者利用字符串切片与`strip`方法结合的方式。
1. 使用`replace`方法:
`replace`方法可以将字符串中的指定子串替换为另一个子串。如果将空格替换为空字符串,就可以实现去除空格的目的。示例如下:
```python
original_string = "这是一个 测试 字符串 "
string_without_spaces = original_string.replace(" ", "")
print(string_without_spaces) # 输出: "这是一个测试字符串"
```
2. 使用切片与`strip`方法:
虽然`strip`方法本身是用来去除字符串两端的空白字符,但如果配合切片操作,可以用来去除字符串中的所有空格。示例如下:
```python
original_string = "这是一个 测试 字符串 "
string_without_spaces = "".join(original_string.split())
print(string_without_spaces) # 输出: "这是一个测试字符串"
```
在这个例子中,`split()`默认以空白字符为分隔符,将字符串分割成列表,然后使用`join()`方法将列表中的元素合并成一个新的字符串,从而实现去除了所有空格的目的。
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'
```
阅读全文