-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathtree.cpp
More file actions
59 lines (50 loc) · 1.35 KB
/
tree.cpp
File metadata and controls
59 lines (50 loc) · 1.35 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
using Tree = vector<vector<int>>;
using Edge = pair<int, int>;
struct DiamResult {
int len;
int u, v;
};
class TreeDiameter {
private:
const Tree& tree_;
pair<int, int> FindFarthest(int cur, int par, int len) {
pair<int, int> res = { len, cur };
for (int nxt : tree_[cur]) {
if (nxt != par) {
res = max(res, FindFarthest(nxt, cur, len + 1));
}
}
return res;
}
public:
TreeDiameter(const Tree& tree) : tree_(tree) {}
DiamResult GetDiam() {
int u = FindFarthest(1, -1, 0).second;
pair<int, int> res = FindFarthest(u, -1, 0);
return { res.first, u, res.second };
}
};
class TreePath {
private:
const Tree& tree_;
bool GetPathRecursive(int cur, int to, int par, vector<Edge>& cur_edges) {
if (cur == to) {
return true;
}
for (int nxt : tree_[cur]) if (nxt != par) {
cur_edges.push_back({ cur, nxt });
if (GetPathRecursive(nxt, to, cur, cur_edges)) {
return true;
}
cur_edges.pop_back();
}
return false;
}
public:
TreePath(const Tree& tree) : tree_(tree) {}
vector<Edge> GetPath(int from, int to) {
vector<Edge> cur_edges;
GetPathRecursive(from, to, -1, cur_edges);
return cur_edges;
}
};