문제
코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.StringTokenizer;
public class Solution {
static int N, X, M;
static int[] arr, answer;
static int[][] memo;
static int max_sum;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int T = Integer.parseInt(br.readLine());
for(int t=1; t<=T; t++) {
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken()); // 우리 갯수
X = Integer.parseInt(st.nextToken()); // 최대 햄스터 수
M = Integer.parseInt(st.nextToken()); // 메모 갯수
arr = new int[N]; // 우리 배열
memo = new int[M][3]; // 메모 배열
answer = new int[N]; // 결과 배열
max_sum = -1; // 모든 햄스터의 수 최솟값
for(int i=0; i<M; i++) {
st = new StringTokenizer(br.readLine());
memo[i][0] = Integer.parseInt(st.nextToken())-1;
memo[i][1] = Integer.parseInt(st.nextToken())-1;
memo[i][2] = Integer.parseInt(st.nextToken());
}
dfs(0);
System.out.print("#" + t + " ");
if(max_sum == -1) {
System.out.println(-1);
} else {
for(int i=0; i<N; i++) {
System.out.print(answer[i] + " ");
}
System.out.println();
}
}
}
public static void dfs(int cnt) {
if(cnt==N) { // 배열 다 채워졌을 때
for(int i=0; i<M; i++) { // memo 배열 돌면서 누적합 비교
int check_sum = 0;
for(int j=memo[i][0]; j<=memo[i][1]; j++) {
check_sum += arr[j];
}
if (check_sum != memo[i][2]) return;
}
int sum = 0;
for(int i=0; i<N; i++) {
sum += arr[i];
}
if(sum > max_sum) {
max_sum = sum;
answer = Arrays.copyOf(arr, N);
}
return;
}
for(int i=0; i<=X; i++) {
arr[cnt] = i;
dfs(cnt+1);
}
}
}
문제 해결 과정
N(우리): 최대 6
X(햄스터 수): 최대 10
문제에서 조건이 우리 갯수가 6이 최대이고 각 우리당 들어갈 수 있는 햄스터 수가 최대 10이므로 최악의 경우 10^6이다. 그러면 100만이므로 완전탐색으로 풀었을 때 문제 조건인 8초안에 해결할 수 있었다.
문제 풀이
배열을 우리 크기만큼 만들고 값을 각각 할당해준다. 그리고 배열이 꽉찼을 때 기록들(memo)를 보면서 조건이 맞는지 확인해 주고 조건에 충족하면 햄스터의 수를 모두 더해 최댓값을 찾는다.
'알고리즘' 카테고리의 다른 글
[백준] 14501 - 퇴사 (node.js) (0) | 2024.07.04 |
---|---|
[백준] 2293 - 동전 1 (node.js) (2) | 2024.06.18 |
[백준] 1863 - 스카이라인 쉬운거 (node.js) (2) | 2024.06.10 |