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
- 메모이제이션
- 다익스트라
- 서비스 디스커버리
- 스택
- spring boot
- 이분 매칭
- 유레카
- 구현
- 스프링 시큐리티
- Gradle
- 백트래킹
- ZuulFilter
- 달팽이
- 트리
- 구간 트리
- 비트마스킹
- 완전 탐색
- dp
- BFS
- Java
- 도커
- Spring Cloud Config
- 게이트웨이
- 이분 탐색
- Zuul
- docker-compose
- Logback
- spring cloud
- 플로이드 와샬
- 주울
Archives
- Today
- Total
Hello, Freakin world!
[백준 9663번][Java] N-Queen 본문
처음에는 퀸을 놓을 때 위치 정보를 스택에 저장했었다. 백트래킹은 보통 재귀호출 이후에 상태정보를 복구해야 되기 때문에 이를 pop 메서드를 이용해 편하게 구현하기 위함이었다.
그런데 자꾸 시간초과가 나길래 다른 코드들도 훑어봤지만 코드 패턴은 비슷했다. 도대체 영문을 알 수가 없었는데, Stack의 순회 성능 때문이었다. Stack 역시 List 인터페이스를 구현하고 있기 때문에 그러려니 하고 사용했는데 ArrayList에 비해서 이렇게 차이가 날 줄은 몰랐다. 입력을 14로 주었을 때 Stack으로 했을 떄는 1분이 넘어가도 답을 구하지 못했는데 ArrayList의 경우에는 8초 안에 답을 낼 수 있었다.
자료구조의 중요성을 실감했다.
...
/*
N-Queen
*/
public class Main {
static int n;
public static void main(String[] args) throws IOException {
// InputReader reader = new InputReader("testcase.txt");
InputReader reader = new InputReader();
n = reader.readInt();
List<Location> queenLocations = new ArrayList<>();
System.out.println(nQueen(0,0,queenLocations));
}
private static int nQueen(int row, int queen, List<Location> queenLocations) {
if(queen == n) return 1;
int ret = 0;
for (int i = 0; i < n; i++) {
if(isValid(row, i, queenLocations)) {
queenLocations.add(new Location(row, i));
ret += nQueen(row+1, queen+1, queenLocations);
queenLocations.remove(queenLocations.size()-1);
}
}
return ret;
}
private static boolean isValid(int row, int col, List<Location> queenLocations) {
for (int i = 0; i < queenLocations.size(); i++) {
Location location = queenLocations.get(i);
if(location.row == row || location.col == col
|| location.row + location.col == row + col
|| location.row - location.col == row - col) return false;
}
return true;
}
}
class Location {
int row, col;
public Location (int row, int col) {
this.row = row;
this.col = col;
}
@Override
public String toString() {
return "{row=" + row +
", col=" + col +
'}';
}
}
class InputReader {
private BufferedReader br;
public InputReader() {
br = new BufferedReader(new InputStreamReader(System.in));
}
public InputReader(String filepath) {
try {
br = new BufferedReader(new FileReader(filepath));
} catch (FileNotFoundException e) {
e.printStackTrace();
}
}
public String readLine() throws IOException {
return br.readLine();
}
public int readInt() throws IOException {
return Integer.parseInt(readLine());
}
public Long readLong() throws IOException {
return Long.parseLong(readLine());
}
}
'알고리즘 > PS' 카테고리의 다른 글
[백준 1120번][Java] 문자열 (0) | 2020.09.22 |
---|---|
[백준 6603번][Java] 로또 - 백트래킹, 정렬 (0) | 2020.09.22 |
[백준 12100번][Java] 2048 (Easy) (0) | 2020.09.21 |
[백준 14501번][Java] 퇴사 - 재귀, for (0) | 2020.09.20 |
[백준 14891번][Java] 톱니 바퀴 (0) | 2020.09.20 |
Comments