Python中去除字符串中的所有空格
时间: 2023-05-21 13:01:18 浏览: 149
可以使用字符串的 replace() 方法,将空格替换为空字符串即可。示例代码如下:
```
s = "hello world"
s = s.replace(" ", "")
print(s) # 输出"helloworld"
```
相关问题
python,去除字符串中的空格
可以使用字符串对象的 `replace()` 方法来替换空格,或者使用字符串对象的 `strip()` 方法来去除字符串首尾的空格。
例如:
```python
s = " This is a string with spaces. "
s = s.replace(" ", "") # 替换空格
print(s) # 输出:Thisisastringwithspaces.
s = " This is a string with spaces. "
s = s.strip() # 去除首尾空格
print(s) # 输出:This is a string with spaces.
```
需要注意的是,`strip()` 方法只能去除字符串首尾的空格,而不能去除字符串中间的空格。如果需要去除字符串中间的空格,可以使用 `replace()` 方法。
用python实现去掉字符串数组中每个字符串的空格
可以使用以下代码来实现去掉字符串数组中每个字符串的空格:
```python
def remove_spaces(strings):
new_strings = []
for string in strings:
new_string = string.replace(" ", "")
new_strings.append(new_string)
return new_strings
# 示例用法
strings = ["hello world", " python ", " coding "]
new_strings = remove_spaces(strings)
print(new_strings)
```
在上述代码中,我们定义了一个名为 `remove_spaces` 的函数,它接受一个字符串数组作为参数。在函数内部,我们创建了一个新的空数组 `new_strings`,用于存储去掉空格后的每个字符串。然后,我们使用 `replace()` 方法将每个字符串中的空格替换为空字符,并将替换后的字符串添加到新数组 `new_strings` 中。最后,我们返回新数组。
在示例用法部分,我们定义了一个字符串数组 `strings`,其中包含了一些带有空格的字符串。然后,我们调用 `remove_spaces` 函数,并将返回的新数组存储在 `new_strings` 变量中。最后,我们输出 `new_strings` 的内容,即去掉空格后的字符串数组。
请注意,上述代码中使用了 `replace()` 方法来去掉空格。如果你想只去掉字符串开头和结尾的空格,可以使用 `strip()` 方法。
阅读全文