아래 상황에서 문제를 어떻게 풀지 이해하여 보겠다.
"a + b + c + d = 20 을 만족하는 두 수를 모두 찾아내시오.
(0 <= a, b, c, d < 100)"
DFS를 사용하여 구현한다.
public class Main {
static int N, M;
static int[] arr;
static boolean[] visited;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
arr = new int[M];
visited = new boolean[N];
dfs(N, M, 0);
}
private static void dfs(int N, int M, int depth) {
if(depth == M) {
for(int i = 0; i < M; i++) {
System.out.print(arr[i] + " ");
}
System.out.println();
return;
}
for(int i = 0; i < N; i++) {
if (!visited[i]){
arr[depth] = i + 1;
visited[i] = true;
dfs(N, M, depth + 1);
visited[i] = false;
}
}
}
}