https://www.acmicpc.net/problem/9663
[풀이]
- 완전탐색 유형의 문제입니다.
- solve 메소드를 통해 재귀적으로 탐색합니다.
- 여기서 check 메소드를 통해 현재 위치에 놓을 수 있는지 없는지를 판단합니다.
- 현재 행의 위치에 놓을 수 없는지, 대각선에 이미 있는지 등을 확인해서 값을 반환합니다.
- 열의 차와 행의 차가 같을 경우가 대각선에 놓여 있는 경우입니다.
[코드]
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class Main {
static int[] arr;
static int N;
static int answer;
public static void solve(int depth) {
if (depth == N) {
answer += 1;
return;
}
for (int i = 0; i < N; i++) {
arr[depth] = i;
if (check(depth)) {
solve(depth + 1);
}
}
}
public static boolean check(int idx) {
for (int i = 0; i < idx; i++) {
if (arr[idx] == arr[i])
return false;
if (Math.abs(idx - i) == Math.abs(arr[i] - arr[idx]))
return false;
}
return true;
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
N = Integer.parseInt(br.readLine());
arr = new int[N];
solve(0);
System.out.println(answer);
}
}
'Algorithm > 백준' 카테고리의 다른 글
백준 18870번 : 좌표 압축(Java) (0) | 2021.11.07 |
---|---|
백준 1406번 : 에디터(Java) (0) | 2021.10.30 |
백준 2292번 : 벌집(Java) (0) | 2021.10.24 |
백준 14502번 : 연구소(Java) (0) | 2021.10.24 |
백준 2468번 : 안전영역(Java) (0) | 2021.10.24 |