Python program to split and join a string
Python program to Split a string based on a delimiter and join the string using another delimiter.
Split a string can be quite useful sometimes, especially when you need only certain parts of strings. A simple yet effective example is splitting the First-name and Last-name of a person. Another application is CSV(Comma Separated Files). We use split to get data from CSV and join to write data to CSV.
In Python, we can use the function split() to split a string and join() to join a string.
Examples :
Split the string into list of strings Input : Geeks for Geeks Output : ['Geeks', 'for', 'Geeks'] Join the list of strings into a string based on delimiter ('-') Input : ['Geeks', 'for', 'Geeks'] Output : Geeks-for-Geeks
Below is Python code to Split and Join the string based on a delimiter :
# Python program to split a string and # join it using different delimiter def split_string(string): # Split the string based on space delimiter list_string = string.split( ' ' ) return list_string def join_string(list_string): # Join the string based on '-' delimiter string = '-' .join(list_string) return string # Driver Function if __name__ = = '__main__' : string = 'Geeks for Geeks' # Splitting a string list_string = split_string(string) print (list_string) # Join list of strings into one new_string = join_string(list_string) print (new_string) |
Output :
['Geeks', 'for', 'Geeks'] Geeks-for-Geeks
Last Updated on November 13, 2021 by admin