Algorithm/BOJ
[BOJ] 계란으로 계란치기
goakgoak
2021. 1. 20. 16:27
[16987] 계란으로 계란치기
Solution
- N개의 각각의 계란이 한 번씩만 다른 계란을 칠 수 있을 때 깨지는 계란의 최대 갯수를 구하는 문제
- 처음에는 문제를 제대로 이해하지 못해서 i번째 계란은 i+1 이상의 순서의 계란만 깰 수 있다고 생각했다.
- 백트래킹으로 계란의 내구도(durability)를 복구하면서 모든 경우를 탐색해 답을 구할 수 있었다.
소스코드
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
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
static int n, answer;
static Egg[] eggs;
static class Egg {
private int durability;
private int weight;
public Egg(int durability, int weight) {
this.durability = durability;
this.weight = weight;
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
n = stoi(br.readLine());
eggs = new Egg[n];
StringTokenizer st;
int durability, weight;
for (int i = 0; i < n; i++) {
st = new StringTokenizer(br.readLine());
durability = stoi(st.nextToken());
weight = stoi(st.nextToken());
eggs[i] = new Egg(durability, weight);
}
answer = 0;
backtracking(0, 0);
System.out.println(answer);
}
private static void backtracking(int num, int count) {
answer = Math.max(answer, count);
if (num == n) return;
if (eggs[num].durability <= 0) {
backtracking(num + 1, count);
return;
}
for (int target = 0; target < n; target++) {
if (num != target && eggs[target].durability > 0) {
int result = hitting(num, target);
backtracking(num + 1, count + result);
revert(num, target);
}
}
}
private static void revert(int a, int b) {
eggs[a].durability += eggs[b].weight;
eggs[b].durability += eggs[a].weight;
}
private static int hitting(int a, int b) {
int result = 0;
eggs[a].durability -= eggs[b].weight;
eggs[b].durability -= eggs[a].weight;
if (eggs[a].durability <= 0) {
result++;
}
if (eggs[b].durability <= 0) {
result++;
}
return result;
}
private static int stoi(String s) {
return Integer.parseInt(s);
}
}
|
cs |