-
Notifications
You must be signed in to change notification settings - Fork 78
Expand file tree
/
Copy pathAlien_dictionary.cpp
More file actions
116 lines (96 loc) · 2.86 KB
/
Alien_dictionary.cpp
File metadata and controls
116 lines (96 loc) · 2.86 KB
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
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
/*
Given list of words in another language, return string such that:
Letters are sorted in lexicographical incr order wrt this language
Ex. words = ["wrt","wrf","er","ett","rftt"]
Build graph + record edges, BFS + topological sort, check cyclic
Time: O(n)
Space: O(n)
*/
class Solution
{
public:
string alienOrder(vector<string> &words)
{
unordered_map<char, unordered_set<char>> graph;
unordered_map<char, int> indegree;
// indegree make all char 0
for (auto word : words)
{
for (auto c : st)
{
indegree[c] = 0;
}
}
for (int i = 0; i < words.size() - 1; i++)
{
string curr = words[i];
string next = words[i + 1];
bool flag = false;
int len = min(curr.length(), next.length());
for (int j = 0; j < len; j++)
{
char ch1 = curr[j];
char ch2 = next[j];
if (ch1 != ch2)
{
unordered_set<char> set;
if (graph.find(ch1) != graph.end())
{
set = graph[ch1];
if (set.find(ch2) == set.end())
{
set.insert(ch2);
indegree[ch2]++;
graph[ch1] = set;
}
}
else
{
set.insert(ch2);
indegree[ch2]++;
graph[ch1] = set;
}
flag = true;
break;
}
}
if (flag == false and (curr.length() > next.length()))
return "";
}
priority_queue<char, vector<char>, greater<char>> q;
for (auto it : indegree)
{
if (it.second == 0)
{
// cout<<it.first<<endl;
q.push(it.first);
}
}
int count = 0;
string ans = "";
while (q.size() > 0)
{
auto rem = q.top();
q.pop();
ans += rem;
count++;
if (graph.find(rem) != graph.end())
{
unordered_set<char> nbrs = graph[rem];
for (auto nbr : nbrs)
{
indegree[nbr]--;
if (indegree[nbr] == 0)
{
q.push(nbr);
}
}
}
}
if (count == indegree.size())
{
return ans;
}
return "";
}
};