05 August 2008
Given a
and a string 1
pattern
, find if 1
str
follows the same pattern.1
str
Here follow means a full match, such that there is a bijection between a letter in
and a non-empty word in 1
pattern
.1
str
Example 1:
1
2
Input: pattern = "abba", str = "dog cat cat dog"
Output: true
Example 2:
1
2
Input:pattern = "abba", str = "dog cat cat fish"
Output: false
Example 3:
1
2
Input: pattern = "aaaa", str = "dog cat cat dog"
Output: false
Example 4:
1
2
Input: pattern = "abba", str = "dog dog dog dog"
Output: false
Notes:
You may assume
contains only lowercase letters, and 1
pattern
contains lowercase letters that may be separated by a single space.1
str
要求求出字符串A的每个字符和字符串B中的单词是否是一个pattern,最后的notes说明可以输入的格式还是比较标准的。这里用HashTable来做,字符串A中的字符作为key,字符串B中的单词作为value,循环一遍挨个比较,中间如果发现有key存在了,就比较当前遍历的value和之前存的value是否相同,不同则返回false;同时也要检查当前的value是否在之前被加入了,这时候要是key不一样也返回false,直到最后没有返回false就为true。
Java中的HashMap的结构要熟悉,containsKey()没有哈希冲突的情况下是O(1) ;containsValue()本身的时间复杂度为O(n),如果想优化下就用两个HashTables。
使用containsValue(),严格来说最坏的时间复杂度是O(n^2)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
class Solution {
public boolean wordPattern(String pattern, String str) {
String[] strs = str.split("\\s+");
if (pattern.length() != strs.length) {
return false;
}
HashMap<Character, String> map = new HashMap<>();
for (int i = 0; i <= pattern.length() - 1; i++) {
if (map.containsKey(pattern.charAt(i))) {
if (!map.get(pattern.charAt(i)).equals(strs[i])) {
return false;
}
} else {
if (map.containsValue(strs[i])) {
return false;
}
map.put(pattern.charAt(i), strs[i]);
}
}
return true;
}
}
用额外的一个hashmap来保存第二个字符串中单词的信息,又是空间换时间,时间复杂度O(n)
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
class Solution {
public boolean wordPattern(String pattern, String str) {
String[] strs = str.split("\\s+");
if (pattern.length() != strs.length) {
return false;
}
HashMap<Character, String> map = new HashMap<>();
HashMap<String, Character> mapStr = new HashMap<>();
for (int i = 0; i <= pattern.length() - 1; i++) {
if (map.containsKey(pattern.charAt(i))) {
if (!map.get(pattern.charAt(i)).equals(strs[i])) {
return false;
}
//这里无需检查mapStr是否containsKey(strs[i])
} else {
if (mapStr.containsKey(strs[i])) {
return false;
}
map.put(pattern.charAt(i), strs[i]);
mapStr.put(strs[i], pattern.charAt(i));
}
}
return true;
}
}