[BOJ][2875] 대회 or 인턴
Updated:
1. 문제 링크
https://www.acmicpc.net/problem/2875
2. 사용 알고리즘
그리디
3. 풀이
1) 여학생은 2명씩 짝지어야 하므로 홀수인 경우 1명은 무조건 인턴쉽에 배정
2) 여학생과 남학생은 2:1이 되어야 하므로 짝이 남는 사람은 무조건 인턴쉽에 배정
3) 인턴쉽에 참여하는 학생이 부족한 경우 2)번 조건을 만족하기 위해 3명씩 인턴쉽에 배정
4. 소스 코드
4-1. C++
https://github.com/dev-aiden/problem-solving/blob/main/boj/2875.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
#include <iostream>
using namespace std;
int main(void) {
ios_base::sync_with_stdio(false);
cin.tie(NULL); cout.tie(NULL);
int n, m, k; cin >> n >> m >> k;
int ans, temp = m * 2;
if(n % 2 == 1) {
--n;
--k;
}
if(n > temp) {
k -= (n - temp);
ans = m;
} else {
k -= ((temp - n) / 2);
ans = n / 2;
}
while(k > 0) {
k -= 3;
--ans;
}
cout << ans << "\n";
return 0;
}
4-2. JAVA
https://github.com/dev-aiden/problem-solving/blob/main/boj/2875.java
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
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.StringTokenizer;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
int n = Integer.parseInt(st.nextToken());
int m = Integer.parseInt(st.nextToken());
int k = Integer.parseInt(st.nextToken());
int ans, temp = m * 2;
if(n % 2 == 1) {
--n;
--k;
}
if(n > temp) {
k -= (n - temp);
ans = m;
} else {
k -= ((temp - n) / 2);
ans = n / 2;
}
while(k > 0) {
k -= 3;
--ans;
}
System.out.println(ans);
}
}
Leave a comment