如何在Python中删除字符串的前导和尾随空白?

" Hello world " --> "Hello world"
" Hello world"  --> "Hello world"
"Hello world "  --> "Hello world"
"Hello world"   --> "Hello world"

当前回答

一种方法是使用.strip()方法(删除所有周围的空白)

str = "  Hello World  "
str = str.strip()
**result: str = "Hello World"**

请注意,.strip()返回字符串的副本,并且不会更改下划线对象(因为字符串是不可变的)。

如果您希望删除所有空白(不仅仅是修剪边缘):

str = ' abcd efgh ijk  '
str = str.replace(' ', '')
**result: str = 'abcdefghijk'

其他回答

好吧,作为一个初学者,看到这个帖子让我头晕目眩。于是我想到了一个简单的捷径。

虽然str.strip()可以移除开头和结尾的空格,但它对字符之间的空格没有任何作用。

words=input("Enter the word to test")
# If I have a user enter discontinous threads it becomes a problem
# input = "   he llo, ho w are y ou  "
n=words.strip()
print(n)
# output "he llo, ho w are y ou" - only leading & trailing spaces are removed 

相反,使用str.replace()更有意义,错误更少,更切题。 下面的代码可以泛化str.replace()的使用

def whitespace(words):
    r=words.replace(' ','') # removes all whitespace
    n=r.replace(',','|') # other uses of replace
    return n
def run():
    words=input("Enter the word to test") # take user input
    m=whitespace(words) #encase the def in run() to imporve usability on various functions
    o=m.count('f') # for testing
    return m,o
print(run())
output- ('hello|howareyou', 0)

在diff. functions中继承相同的函数时可以很有帮助。

正如上面的答案所指出的

my_string.strip()

将删除所有前导和后面的空白字符,如\n, \r, \t, \f,空格。

为了获得更大的灵活性,请使用以下方法

只删除前导空白字符: 只移除尾随的空格字符: 删除特定的空白字符:my_string.strip('\n')或my_string.lstrip('\n\r')或my_string.rstrip('\n\t')等。

更多细节可以在文档中找到。

我想删除字符串中过多的空格(也在字符串之间,而不仅仅是在开头或结尾)。我做了这个,因为我不知道该怎么做:

string = "Name : David         Account: 1234             Another thing: something  " 

ready = False
while ready == False:
    pos = string.find("  ")
    if pos != -1:
       string = string.replace("  "," ")
    else:
       ready = True
print(string)

这将取代一个空间中的双精度空间,直到不再有双精度空间

你需要strip():

myphrases = [" Hello ", " Hello", "Hello ", "Bob has a cat"]

for phrase in myphrases:
    print(phrase.strip())

一种方法是使用.strip()方法(删除所有周围的空白)

str = "  Hello World  "
str = str.strip()
**result: str = "Hello World"**

请注意,.strip()返回字符串的副本,并且不会更改下划线对象(因为字符串是不可变的)。

如果您希望删除所有空白(不仅仅是修剪边缘):

str = ' abcd efgh ijk  '
str = str.replace(' ', '')
**result: str = 'abcdefghijk'