Exchange first and last character of each word

In this program, we will take a string as input and exchange first and last character of each word from a given string. 

Steps to solve the program
  1. Take a string as input.
  2. Convert that string into a list using Split().
  3. Use For loop to iterate over each word in the list.
  4. Using Indexing exchange the first and the last character of each word.
  5. Replace the new word formed with the old word in the list.
  6. After iterating over the last element convert the list into the string using join().
  7. Print the output
				
					#Input string
string ="Its Online Learning"

#Creating list
list1 = string.split(" ")

#Loop for swapping characters
for word in list1:
    #Creating new word
    new_word = word[-1]+word[1:-1]+word[0]
    #Finding index of the word
    index = list1.index(word)
    #Replacing the word with new word
    list1[index] = new_word
    
#Joining list and printing output    
" ".join(list1)
				
			

Output :

				
					'stI enlinO gearninL'
				
			

swap the last character of a given string.

count vowels from each word in the given string show as dictionary

Leave a Comment