Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 투 포인터
- 완전탐색
- 플로이드-와샬
- 백트래킹
- 수학
- 프로그래머스
- 문자열
- Kotlin
- 세그먼트 트리
- mst
- 구현
- 시뮬레이션
- Effective Java
- JUnit 5
- 스택
- 이분탐색
- 그리디
- 위상정렬
- swea
- 후니의 쉽게 쓴 시스코 네트워킹
- 유니온 파인드
- CS
- java
- 알고리즘
- BFS
- 동적계획법
- dfs
- 에라토스테네스의 체
- Network
- 백준
Archives
반갑습니다!
[프로그래머스] N-Queen 본문
풀이
n이 12이하의 자연수 이므로 완전탐색으로 해결할 수 있다. 백트래킹을 사용한 완전탐색을 통해 해결했다. 모든 경우를 시도해서 가능한 경우를 카운트해주면 된다.
코드
C++
#include <string>
#include <vector>
using namespace std;
int N, ans;
vector<vector<bool>> map;
bool check(int x, int y) {
// 세로 검사
for (int i = 0; i < N; i++) {
if (i == y) continue;
if (map[i][x]) return false;
}
// 가로 검사
for (int j = 0; j < N; j++) {
if (j == x) continue;
if (map[y][j]) return false;
}
for (int i = 0; i < N; i++) {
for (int j = 0; j < N; j++) {
if (i == y && j == x) continue;
// 기울기가 양수인 대각선 검사
if (i + j == x + y && map[i][j]) return false;
// 기울기가 음수인 대각선 검사
if (j - i == x - y && map[i][j]) return false;
}
}
return true;
}
void dfs(int y) {
if (y == N) {
ans++;
return;
}
for (int i = 0; i < N; i++) {
map[y][i] = true;
if (check(i, y)) dfs(y + 1);
map[y][i] = false;
}
}
int solution(int n) {
N = n;
map = vector<vector<bool>>(n, vector<bool>(n));
dfs(0);
int answer = ans;
return answer;
}
Java
class Solution {
int N;
int ans = 0;
boolean[][] map;
boolean check(int x, int y) {
// 세로 검사
for (int i = 0; i < N; i++) {
if (i == y) continue;
if (map[i][x]) return false;
}
// 가로 검사
for (int j = 0; j < N; j++) {
if (j == x) continue;
if (map[y][j]) return false;
}
for (int i = 0; i < N; i++) {
for (int j = 0; j < N; j++) {
if(i == y && j == x) continue;
// 기울기가 양수인 대각선 검사
if (i + j == x + y && map[i][j]) return false;
// 기울기가 음수인 대각선 검사
if (j - i == x - y && map[i][j]) return false;
}
}
return true;
}
public void dfs(int y, int cnt) {
if (y == N) {
ans++;
return;
}
for (int j = 0; j < N; j++) {
map[y][j] = true;
if (check(j, y)) dfs(y + 1, cnt+1);
map[y][j] = false;
}
}
public int solution(int n) {
N = n;
int answer = 0;
map = new boolean[n][n];
dfs(0, 0);
answer = ans;
return answer;
}
}
'알고리즘 문제 풀이' 카테고리의 다른 글
[프로그래머스] 전화번호 목록 (0) | 2020.09.04 |
---|---|
[프로그래머스] 야근 지수 (0) | 2020.09.04 |
[프로그래머스] 하노이의 탑 (0) | 2020.09.03 |
[프로그래머스] 이중우선순위큐 (0) | 2020.09.02 |
[프로그래머스] 3 x n 타일링 (0) | 2020.09.02 |