Home > database >  Split vs Strip in Python to remove redundant white space
Split vs Strip in Python to remove redundant white space

Time:02-13

May I ask do I need to use strip() before split() to remove any redundant space in Python (and turn into a list after)? For example:

string1 = '   a      b '

I want the result:

#list1=[a,b]

When I test I found out that list1=string1.split() is enough. But somehow my teacher say string1.strip().split() is needed. Maybe he is wrong?

CodePudding user response:

According to the documentation:

If sep is not specified or is None, a different splitting algorithm is applied: runs of consecutive whitespace are regarded as a single separator, and the result will contain no empty strings at the start or end if the string has leading or trailing whitespace.

Which means, that the logic of strip() is already included into split(), so I think, your teacher is wrong. (Notice, that this will change in case if you're using a non-default separator.)

CodePudding user response:

https://docs.python.org/3/library/stdtypes.html#str.split

If sep is not specified or is None, a different splitting algorithm is applied: runs of consecutive whitespace are regarded as a single separator, and the result will contain no empty strings at the start or end if the string has leading or trailing whitespace.

You are right (at least for the case of using the default split by whitespace). Leading and trailing as well as consecutive whitescapes are ignored, and since .strip() does nothing else than remove leading and trailing whitespaces, it will result in the same output here.

CodePudding user response:

Lists automatically remove spaces from strings.

I tried using:

string1 = '   a      b '
list1 = string1.strip().split()
print(list1)

and

string1 = '   a      b '
list1 = string1.split()
print(list1)

And they give the same result.

So using strip() isn't necessarily needed, as it will only remove the spaces at the start (leading whitespaces) and spaces at the end (trailing whitespaces).

  • Related