Enable Javascript in your browser and then refresh this page, for a much enhanced experience.
Second solution in Clear category for Verify Anagrams by colinmcnicholl
from collections import Counter
def verify_anagrams(first_word, second_word):
"""Input: Two arguments as strings.
The function determines whether or not the second word uses all the
letters in the first word exactly once in a different order.
Output: Are they anagrams or not as boolean (True or False).
"""
return (Counter(first_word.lower().replace(" ", ""))
== Counter(second_word.lower().replace(" ", "")))
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
assert isinstance(verify_anagrams("a", 'z'), bool), "Boolean!"
assert verify_anagrams("Programming", "Gram Ring Mop") == True, "Gram of code"
assert verify_anagrams("Hello", "Ole Oh") == False, "Hello! Ole Oh!"
assert verify_anagrams("Kyoto", "Tokyo") == True, "The global warming crisis of 3002"
Feb. 12, 2019
Comments: