-
Notifications
You must be signed in to change notification settings - Fork 135
/
Copy pathleetcode133-clone-graph_hashmap.cpp
65 lines (61 loc) · 1.52 KB
/
leetcode133-clone-graph_hashmap.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
#include<vector>
#include<algorithm>
#include<iostream>
#include<unordered_map>
using namespace std;
// Definition for a Node.
class Node {
public:
int val;
vector<Node*> neighbors;
Node() {
val = 0;
neighbors = vector<Node*>();
}
Node(int _val) {
val = _val;
neighbors = vector<Node*>();
}
Node(int _val, vector<Node*> _neighbors) {
val = _val;
neighbors = _neighbors;
}
};
class Solution {
unordered_map<Node*, Node*> dict; /* 哈希表: 记录源点(source node)和它的克隆点(cloned node) */
public:
Node* cloneGraph(Node* node) {
if (node == nullptr) return nullptr;
dfs(node); // 复制所有node
// 遍历原graph中所有node的所有边
for (auto& [sNode, cNode] : dict)
{
for (auto& nextNode : sNode->neighbors)
cNode->neighbors.push_back(dict[nextNode]);
}
return dict[node];
}
void dfs(Node* node)
{
dict[node] = new Node(node->val);
for (auto& nextNode : node->neighbors)
{
if (dict.count(nextNode) == 0)
dfs(nextNode);
}
}
};
// Test
int main()
{
Solution sol;
Node n1(1), n2(2), n3(3), n4(4);
n1.neighbors.push_back(&n2);
n2.neighbors.push_back(&n3);
n3.neighbors.push_back(&n4);
n4.neighbors.push_back(&n1);
Node* newNode = sol.cloneGraph(&n1);
cout << newNode->val << endl;
cout << newNode->neighbors[0]->val << endl;
return 0;
}