Create strip.py (#10011)

* Create strip.py

* Update strip.py
This commit is contained in:
Saurabh Mahapatra 2023-10-08 21:40:41 +05:30 committed by GitHub
parent a12b07f352
commit e89ae55d8e
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23

33
strings/strip.py Normal file
View File

@ -0,0 +1,33 @@
def strip(user_string: str, characters: str = " \t\n\r") -> str:
"""
Remove leading and trailing characters (whitespace by default) from a string.
Args:
user_string (str): The input string to be stripped.
characters (str, optional): Optional characters to be removed
(default is whitespace).
Returns:
str: The stripped string.
Examples:
>>> strip(" hello ")
'hello'
>>> strip("...world...", ".")
'world'
>>> strip("123hello123", "123")
'hello'
>>> strip("")
''
"""
start = 0
end = len(user_string)
while start < end and user_string[start] in characters:
start += 1
while end > start and user_string[end - 1] in characters:
end -= 1
return user_string[start:end]