Method # 1: Using re.sub()
This problem can be solved with a regular expression, where we can limit the separation between words to one space using the appropriate regex string.
# Python3 code to demonstrate how it works # remove unnecessary space from line # Using re.sub () import re # initializing string test_str = "GfG is good website" # print original line print ( "The original string is:" + test_str) # using re.sub () # remove extra space from string res = re.sub ( ’+’ , ’’ , test_str) # print result print ( "The strings after extra space removal:" + str (res)) |
Exit:
The original string is: GfG is good website The strings after extra space removal: GfG is good website
Method # 2: Using split ()
and join ()
You can also accomplish this task using the split and join function. This is done in two steps. In the first step, we convert the string to a list of words and then join with one space using the join function.
# Python3 code to demonstrate how it works # remove extra space from string # Using split () + join () # initialization string test_str = "GfG is good website" # print the original line print ( "The original string is:" + test_str ) # using split () + join () # remove extra space from string res = "" . join (test_str.split ()) # print result print ( " The strings after extra space removal: " + str ( res)) |
Output:
The original string is: GfG is good website The strings after extra space removal: GfG is good website