Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Given two strings s and t, write a function to determine if t is an anagram of s. An anagram is a word or phrase formed by rearranging the letters of a different word or phrase, typically using all the original letters exactly once.

Constraints:

  • 1 <= s.length, t.length <= 5 * 10^4
  • s and t consist of lowercase English letters

Examples:

Input: s = "anagram", t = "nagaram"

Output: true

Explanation: The string "nagaram" is an anagram of "anagram" because it uses all the same letters in a different order.

Input: s = "rat", t = "car"

Output: false

Explanation: The string "car" is not an anagram of "rat" because it does not use all the same letters.

Solutions

Sorting

Time: O(n log n)Space: O(n)

This solution works by sorting the characters in each string and comparing the results. If the sorted strings are equal, then the original strings are anagrams of each other.

function isAnagram(s, t) {
  return s.split('').sort().join('') === t.split('').sort().join('');
}

Hash Table

Time: O(n)Space: O(n)

This solution works by using a hash table to count the frequency of each character in the first string, and then decrementing the count for each character in the second string. If any count goes below zero, then the strings are not anagrams.

function isAnagram(s, t) {
  if (s.length !== t.length) return false;
  const count = {};
  for (let char of s) {
    count[char] = (count[char] || 0) + 1;
  }
  for (let char of t) {
    if (!count[char] || --count[char] < 0) return false;
  }
  return true;
}

Difficulty: Easy

Category: String Manipulation

Frequency: High

Company tags:

GoogleAmazonMicrosoft