https://www.acmicpc.net/problem/14888
14888번: 연산자 끼워넣기
첫째 줄에 수의 개수 N(2 ≤ N ≤ 11)가 주어진다. 둘째 줄에는 A1, A2, ..., AN이 주어진다. (1 ≤ Ai ≤ 100) 셋째 줄에는 합이 N-1인 4개의 정수가 주어지는데, 차례대로 덧셈(+)의 개수, 뺄셈(-)의 개수, 곱
www.acmicpc.net
저는 dfs를 통해 문제를 해결하였습니다.
dfs로 모든 연산을 해보고 가장 작은 값과 가장 큰 값을 찾아 문제를 해결하였습니다.
package BOJ.etc;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.StringTokenizer;
import java.util.function.Function;
public class BOJ_14888 {
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
Function<String, Integer> stoi = Integer::parseInt;
StringTokenizer st = new StringTokenizer(br.readLine());
int n = stoi.apply(st.nextToken());
st = new StringTokenizer(br.readLine());
int[] num = new int[n];
for (int i = 0; i < n; i++) {
num[i] = stoi.apply(st.nextToken());
}
st = new StringTokenizer(br.readLine());
int[] operationCnt = new int[4]; // + - * /
for (int i = 0; i < 4; i++) {
operationCnt[i] = stoi.apply(st.nextToken());
}
// 입력
int max = findMax(1, num[0], num, operationCnt, n);
int min = findMin(1, num[0], num, operationCnt, n);
System.out.println(max);
System.out.println(min);
}
private static final int INF = 1_000_000_000;
private static int findMin(int depth, int result, int[] num, int[] operationCnt, int n) {
if (depth == n) {
return result;
}
int min = INF;
for (int i = 0; i < 4; i++) {
if (operationCnt[i] == 0) {
continue;
}
int next = result;
if (i == 0) {
next += num[depth];
}
if (i == 1) {
next -= num[depth];
}
if (i == 2) {
next *= num[depth];
}
if (i == 3) {
next /= num[depth];
}
operationCnt[i]--;
min = Math.min(min, findMin(depth + 1, next, num, operationCnt, n));
operationCnt[i]++;
}
return min;
}
private static int findMax(int depth, int result, int[] num, int[] operationCnt, int n) {
if (depth == n) {
return result;
}
int max = -INF;
for (int i = 0; i < 4; i++) {
if (operationCnt[i] == 0) {
continue;
}
int next = result;
if (i == 0) {
next += num[depth];
}
if (i == 1) {
next -= num[depth];
}
if (i == 2) {
next *= num[depth];
}
if (i == 3) {
next /= num[depth];
}
operationCnt[i]--;
max = Math.max(max, findMax(depth + 1, next, num, operationCnt, n));
operationCnt[i]++;
}
return max;
}
}
'알고리즘' 카테고리의 다른 글
백준 16236번 아기 상어 (JAVA) (0) | 2023.11.03 |
---|---|
백준 1194번 달이 차오른다, 가자 (JAVA) (0) | 2023.11.02 |
백준 12933번 오리 (JAVA) (0) | 2023.10.31 |
프로그래머스 5명씩 (JAVA) (0) | 2023.10.31 |
백준 7490번 0 만들기 (JAVA) (0) | 2023.10.29 |