编写pathon代码输入一个字符串,去掉字符串中所有的空格。
时间: 2023-11-27 10:50:51 浏览: 82
Python去掉字符串中空格的方法
5星 · 资源好评率100%
可以使用字符串的 `replace()` 方法来替换空格,也可以使用正则表达式来匹配和删除空格。下面是两种方法的示例代码:
方法一:使用 replace() 方法
```python
input_str = "Hello, world! "
output_str = input_str.replace(" ", "")
print(output_str) # 输出 "Hello,world!"
```
方法二:使用正则表达式
```python
import re
input_str = "Hello, world! "
output_str = re.sub(r"\s+", "", input_str)
print(output_str) # 输出 "Hello,world!"
```
这里使用了 `re.sub()` 方法,第一个参数是正则表达式,`\s+` 匹配一个或多个空格;第二个参数是用来替换匹配到的字符串,这里使用空字符串来删除空格。
阅读全文