-
Notifications
You must be signed in to change notification settings - Fork 50
/
Copy path981C. Useful Decomposition.cpp
82 lines (66 loc) · 1.25 KB
/
981C. Useful Decomposition.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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
/*
Idea:
- Greedy, there is a solution if and only if the tree is a single path
or there is one node has more than two edges go from it to another nodes.
*/
#include <bits/stdc++.h>
using namespace std;
int const N = 1e5 + 1;
int n;
bool vis[N];
vector<vector<int> > g;
vector<int> sol;
void DFS(int u) {
vis[u] = true;
bool ok = false;
for(int i = 0, v; i < g[u].size(); ++i) {
v = g[u][i];
if(!vis[v]) {
ok = true;
DFS(v);
}
}
if(!ok)
sol.push_back(u + 1);
}
int main() {
scanf("%d", &n);
g.resize(n);
for(int i = 0, a, b; i < n - 1; ++i) {
scanf("%d %d", &a, &b);
--a, --b;
g[a].push_back(b);
swap(a, b);
g[a].push_back(b);
}
int gt2 = 0;
for(int i = 0; i < n; ++i)
if(g[i].size() > 2)
++gt2;
if(gt2 > 1) {
puts("No");
return 0;
}
puts("Yes");
if(gt2 == 0) {
puts("1");
for(int i = 0; i < g.size(); ++i)
if(g[i].size() == 1)
printf("%d ", i + 1);
puts("");
return 0;
}
int mx = 0, idx;
for(int i = 0; i < n; ++i) {
if(g[i].size() > mx) {
mx = g[i].size();
idx = i;
}
}
printf("%d\n", mx);
DFS(idx);
++idx;
for(int i = 0; i < sol.size(); ++i)
printf("%d %d\n", idx, sol[i]);
return 0;
}