-
Notifications
You must be signed in to change notification settings - Fork 116
/
Copy pathclone_graph.cpp
46 lines (44 loc) · 1.19 KB
/
clone_graph.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
#include <vector>
#include <queue>
#include <unordered_set>
#include <unordered_map>
using namespace std;
struct UndirectedGraphNode {
int label;
vector<UndirectedGraphNode *> neighbors;
UndirectedGraphNode(int x) : label(x) {};
};
class Solution {
public:
UndirectedGraphNode *cloneGraph(UndirectedGraphNode *node) {
if (node==NULL) return NULL;
queue<UndirectedGraphNode*> q;
unordered_set<UndirectedGraphNode*> visited;
unordered_map<UndirectedGraphNode*, UndirectedGraphNode*> mapping;
q.push(node);
while (!q.empty()){
UndirectedGraphNode* p = q.front();
q.pop();
if (p==NULL) continue;
UndirectedGraphNode* copy;
if (mapping.find(p)!=mapping.end()){
copy = mapping[p];
}else {
copy = new UndirectedGraphNode(p->label);
mapping[p] = copy;
}
visited.insert(p);
for (auto child: p->neighbors){
if (mapping.find(child)!=mapping.end()){
copy->neighbors.push_back(mapping[child]);
}else{
UndirectedGraphNode* copy_child = new UndirectedGraphNode(child->label);
copy->neighbors.push_back(copy_child);
mapping[child] = copy_child;
if (visited.find(child)==visited.end()) q.push(child);
}
}
}
return mapping[node];
}
};