ruby, leetcode,

Follow Sep 28, 2023 · 1 mins read
Leetcode Valid Anagram Solution Ruby - 3
Share this

Problem Statement -

Given two strings s and t, return true if t is an anagram of s, and false otherwise.

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.

leetcode problem link - Valid Anagram


High level overview -

We need to tell if given sequence is a valid anagram. Goal here is to do it in O(n+m) time complexity and O(n+m) extra space.

We will iterate through each character of both strings and keep track of how many times it has appeared.

But How to store the count? What is best suited data structure? Hash will be ideal data structure for this use case, where key will be char and value will be their respective count. And of course, we will need two hashes.

Then we will compare these two count values and decide if it is a valid anagram. If they both match, then it is valid. If they do not match, then it is invalid.

Choices -

As problem statement says - using all the original letters exactly once, we can also solve it using sort. Sort both strings and then compare them. But sort will take O(nlogn) complexity, whereas above approach will take O(n+m) time.


Algorithm -

  1. Count occurrances of each char using .tally method. It will return hash object
  2. Check if both the hash objects match
    • yes? -> The input is a valid anagram
    • no? -> The input is not a valid anagram


Code -

# @param {String} s
# @param {String} t
# @return {Boolean}
def is_anagram(s, t)
  return false if s.length != t.length

  s.chars.tally == t.chars.tally
end


Benchmarking -

Beats 80.09%of users with Ruby | Runtime : 59 ms

Happy Coding!!!