我想消除字符串两端和单词之间的所有空白。
我有这个Python代码:
def my_handle(self):
sentence = ' hello apple '
sentence.strip()
但这仅消除了字符串两侧的空白。 如何删除所有空格?
#1楼
小心:
strip执行rstrip和lstrip(删除前导和尾随空格,制表符,返回和换页,但不会在字符串中间删除它们)。
如果仅替换空格和制表符,则最终可能会出现隐藏的CRLF,这些CRLF看起来与您要查找的内容匹配,但并不相同。
#2楼
另一种选择是使用正则表达式并匹配这些奇怪的空白字符 。 这里有些例子:
删除字符串中的所有空格,即使单词之间也是如此:
import re
sentence = re.sub(r"\s+", "", sentence, flags=re.UNICODE)
在字符串的开头删除空格:
import re
sentence = re.sub(r"^\s+", "", sentence, flags=re.UNICODE)
删除字符串末尾的空格:
import re
sentence = re.sub(r"\s+$", "", sentence, flags=re.UNICODE)
删除字符串的开始和结尾处的空格:
import re
sentence = re.sub("^\s+|\s+$", "", sentence, flags=re.UNICODE)
删除仅重复的空格:
import re
sentence = " ".join(re.split("\s+", sentence, flags=re.UNICODE))
(所有示例均可在Python 2和Python 3中使用)
#3楼
空格包括空格,制表符和CRLF 。 因此,我们可以使用的一种优雅的单线字符串函数是translation :
' hello apple'.translate(None, ' \n\t\r')
或者,如果您想彻底了解:
import string
' hello apple'.translate(None, string.whitespace)
#4楼
' hello \n\tapple'.translate( { ord(c):None for c in ' \n\t\r' } )
MaK已经指出了上面的“翻译”方法。 而且此变体适用于Python 3(请参阅此Q&A )。
#5楼
import re
sentence = ' hello apple'
re.sub(' ','',sentence) #helloworld (remove all spaces)
re.sub(' ',' ',sentence) #hello world (remove double spaces)