Find the least frequent character in a string.

In this program, we will take a string as input and find the least frequent character in a string.

Steps to solve the program
  1. Take a string as input and create an empty dictionary.
  2. Use For loop to iterate over each character of the string.
  3. Add the character as the key and its occurrences in the string as its value in the dictionary.
  4. Find first the character having the least frequency from the value of the keys using min().
  5. Print the output.
				
					#Input string
string = "abcdabdggfhf"
char_freq = {}


for char in string:
    if char in char_freq:
        char_freq[char] = char_freq[char]+1
    else:
        char_freq[char] = 1
        
result = min(char_freq, key = char_freq.get)

#Printing output
print("Least frequent character: ",result)
				
			

Output :

				
					Least frequent character:  c
				
			

count occurrences of a word in a string.

Find the words greater than the given length.

Leave a Comment