Python 程序,使用给定字符串中的集合统计元音数量
我们使用给定字符串中的集合来统计元音数量。假设我们拥有以下输入 -
jackofalltrades
输出应如下所示,统计元音数量 -
65
使用给定字符串中的集合统计元音数量
我们将使用给定的字符串中的集合统计元音数量 -
示例
def vowelFunc(str): c = 0 # Create a set of vowels s="aeiouAEIOU" v = set(s) # Loop to traverse the alphabet in the given string for alpha in str: # If alphabet is present # in set vowel if alpha in v: c = c + 1 print("Count of Vowels = ", c) # Driver code str = input("Enter the string = ") vowelFunc(str)
输出
Enter the string = howareyou Count of Vowels = 5
不使用函数,使用给定字符串中的集合统计元音数量
我们将使用集合不使用函数统计元音数量 -
示例
# string to be checked myStr = "masterofnone" count = 0 print("Our String = ",myStr) # Vowel Set vowels = set("aeiouAEIOU") # Loop through, check and count the vowels for alpha in myStr: if alpha in vowels: count += 1 print("Count of Vowels = ",count)
输出
Our String = masterofnone Count of Vowels = 5
广告