How to remove the leading and trailing spaces in Python
To remove the leading and trailing white spaces from a string, we can use the built-in strip() method in Python.
Here is an example that removes the leading and trailing spaces from the name string.
name = ' john '
print(name.strip()) # removes beginning and endingOutput:
'john'You can also remove only the leading whitespace from a string instead of trailing whitespace by using the lstrip() method.
name = ' john '
print(name.strip())Output:
'john 'or you can remove only the trailing whitespace by using the rstrip() method.
name = ' john '
print(name.rstrip())Output:
' john'

