https://www.acmicpc.net/problem/6059
문제는 영어로 되어있지만 lca 알고리즘을 응용해볼 수 있는 문제입니다.
요약하자면 구성된 트리에서 임의의 2개의 노드 간의 거리를 출력하는 문제입니다.
parent를 구할때 그 parent까지 가는 거리도 같이 구해줍니다.
이 풀이로 풀 수 있는 문제로는 icpc.me/1761 (정점들의 거리)가 있습니다.
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
|
#include <iostream>
#include <vector>
#define MAX 1000
#define LOG 11
using namespace std;
vector<pair<int, int> > graph[MAX + 1];
pair<int, int> parent[MAX + 1][LOG];
int depth[MAX + 1];
int N, M;
void dfs(int v, int d) {
depth[v] = d;
for (int i = 0; i < graph[v].size(); i++) {
int next = graph[v][i].first;
int w = graph[v][i].second;
if (depth[next]) continue;
parent[next][0] = { v, w };
dfs(next, d + 1);
}
}
int lca(int u, int v) {
int ans = 0;
if (depth[u] > depth[v]) swap(u, v);
for (int i = LOG - 1; i >= 0; i--) {
if (depth[v] - depth[u] >= (1 << i)) {
ans += parent[v][i].second;
v = parent[v][i].first;
}
}
if (u == v) return ans;
for (int i = LOG - 1; i >= 0; i--) {
if (parent[u][i].first != parent[v][i].first) {
ans += (parent[u][i].second + parent[v][i].second);
u = parent[u][i].first;
v = parent[v][i].first;
}
}
return ans + (parent[u][0].second + parent[v][0].second);
}
void func() {
for (int j = 1; j < LOG; j++) {
for (int i = 1; i <= N; i++) {
parent[i][j].first = parent[parent[i][j - 1].first][j - 1].first;
if (!parent[i][j].first) continue;
parent[i][j].second = parent[i][j - 1].second + parent[parent[i][j - 1].first][j - 1].second;
}
}
int u, v;
while (M--) {
cin >> u >> v;
cout << lca(u, v) << '\n';
}
}
void input() {
int u, v, w;
cin >> N >> M;
for (int i = 0; i < N - 1; i++) {
cin >> u >> v >> w;
graph[u].push_back({ v,w });
graph[v].push_back({ u,w });
}
}
int main() {
cin.tie(NULL); cout.tie(NULL);
ios::sync_with_stdio(false);
input();
dfs(1, 1);
func();
return 0;
}
|
cs |
'algorithm > LCA' 카테고리의 다른 글
boj 3584 가장 가까운 공통 조상 (0) | 2021.06.16 |
---|---|
boj 1626 두 번째로 작은 스패닝 트리 (0) | 2021.04.02 |
boj 15481 그래프와 MST (0) | 2021.04.01 |
boj 15480 LCA와 쿼리 (0) | 2021.02.14 |
boj 11438 LCA 2 (0) | 2021.02.11 |