Return True If No Character In String S Is A Vowel In Python
I've tried looking for answers but none seem to help. I've done: def noVowel(s): 'return True if string s contains no vowel, False otherwise' for char in s: if char
Solution 1:
You've almost got it right, but the problem is, as soon as you see a character that is a non-vowel, you return True right then and there. You want to return True after you've made sure that all are non-vowel:
defnoVowel(s):
'return True if string s contains no vowel, False otherwise'for char in s:
if char.lower() in'aeiou':
returnFalsereturnTrue# We didn't return False yet, so it must be all non-vowel.
It's important to remember that return
stops the rest of the function from running, so only return if you're sure the function is done computing. In your case, we can safely return False
once we see a vowel, even if we didn't check the whole string.
Post a Comment for "Return True If No Character In String S Is A Vowel In Python"