-
Notifications
You must be signed in to change notification settings - Fork 39
/
Copy pathword_pattern.rb
41 lines (38 loc) · 1.19 KB
/
word_pattern.rb
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
# https://leetcode.com/problems/word-pattern/
#
# Given a pattern and a string str, find if str follows the same pattern.
#
# Examples:
#
# + pattern = "abba", str = "dog cat cat dog" should return true.
# + pattern = "abba", str = "dog cat cat fish" should return false.
# + pattern = "aaaa", str = "dog cat cat dog" should return false.
# + pattern = "abba", str = "dog dog dog dog" should return false.
#
# Notes:
#
# + Both pattern and str contains only lowercase alphabetical letters.
# + Both pattern and str do not have leading or trailing spaces.
# + Each word in str is separated by a single space.
# + Each letter in pattern must map to a word with length that is at
# least 1.
#
# Credits:
#
# Special thanks to @minglotus6 for adding this problem and creating all
# test cases.
# @param {String} pattern
# @param {String} str
# @return {Boolean}
def word_pattern(pattern, str)
pattern = pattern.chars
str = str.split(' ')
return false if pattern.size != str.size
p2s, s2p = {}, {}
pattern.zip(str) do |p, s|
return false if p2s.key?(p) && p2s[p] != s
return false if s2p.key?(s) && s2p[s] != p
p2s[p], s2p[s] = s, p
end
return true
end