-
Notifications
You must be signed in to change notification settings - Fork 0
/
keyboard_words.cpp
71 lines (62 loc) · 1.48 KB
/
keyboard_words.cpp
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
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
/*
给你一个字符串数组 words ,只返回可以使用在 美式键盘
同一行的字母打印出来的单词。键盘如下图所示。
美式键盘 中:
第一行由字符 "qwertyuiop" 组成。
第二行由字符 "asdfghjkl" 组成。
第三行由字符 "zxcvbnm" 组成。
*/
/* 解题思路:
1.构建键盘字符为 key,行号为 val 的哈希表
2.遍历 words 中的 word,判断 word 中 每个 char 的 val 是否相同
*/
#include <algorithm>
#include <iostream>
#include <string>
#include <unordered_map>
#include <vector>
using namespace std;
vector< string > findWords(vector< string > &words)
{
vector< string > ans;
vector< string > keyboard{
"qwertyuiopQWERTYUIOP",
"asdfghjklASDFGHJKL",
"zxcvbnmZXCVBNM",
};
unordered_map< char, int > key_line;
for (int i = 0; i < 3; ++i)
{
for (char &key : keyboard[i])
{
key_line[key] = i;
}
}
for (string &str : words)
{
int line = key_line[str[0]];
bool same_line{true};
for (char &ch : str)
{
if (key_line[ch] != line)
{
same_line = false;
break;
}
}
if (same_line)
{
ans.push_back(str);
}
}
return ans;
}
int main()
{
vector< string > test{"Hello", "Alaska", "Dad", "Peace"};
vector< string > ans = findWords(test);
for (auto i : ans)
{
cout << i << ' ';
}
}