Instagram
youtube
Facebook
Twitter

Replace Spaces in a String with a Given Character

A Python program to replace spaces in a string with a specified character using a loop-based approach.

Code Explanation Step by Step

  • Function Definition:
     
    • replace_space(string, char) function is defined to replace spaces.
       
  • Initialize Empty String:
     
    • new_string = "" is used to store the modified string.
       
  • Loop Through Characters:
     
    • for s in string: iterates through each character in the string.
       
  • Check for Space:
     
    • if s == " ": checks if the character is a space.
       
  • Replace Space:
     
    • new_string += char adds the given character instead of a space.
       
  • Keep Other Characters:
     
    • new_string += s keeps non-space characters unchanged.
       
  • Return Result:
     
    • return new_string returns the modified string.
       
  • Take User Input:
     
    • input() is used to take a string and a replacement character from the user.
       
  • Print Output:
     
    • print("Modified string:", replace_space(string, char)) displays the modified string.

 

Program:

def replace_space(string, char):

    new_string = ""  

    for s in string:

        if s == " ":

            new_string += char  

        else:

            new_string += s  

    return new_string

string = input("Enter a string: ")

char = input("Enter a character to replace spaces: ")

print("Modified string:", replace_space(string, char))