python如何删去字符串中的标点符号
时间: 2023-09-07 20:04:26 浏览: 213
python3去掉string中的标点符号方法
在Python中,可以使用多种方法去除字符串中的标点符号。
方法一:使用string模块中的punctuation常量
punctuation常量包含了所有的标点符号,可以通过遍历字符串,并判断每个字符是否在punctuation中,来去除标点符号。
```python
import string
def remove_punctuation(s):
no_punct = ""
for char in s:
if char not in string.punctuation:
no_punct += char
return no_punct
text = "Hello, World!"
clean_text = remove_punctuation(text)
print(clean_text) # 输出:Hello World
```
方法二:使用正则表达式库re
使用re库中的sub函数,可以使用正则表达式匹配标点符号,并将其替换为空字符。
```python
import re
def remove_punctuation(s):
no_punct = re.sub(r'[^\w\s]', '', s)
return no_punct
text = "Hello, World!"
clean_text = remove_punctuation(text)
print(clean_text) # 输出:Hello World
```
以上两种方法都可以有效去除字符串中的标点符号,你可以根据自己的需求选择其中一种方法。
阅读全文