问题:

[LeetCode] N-Queens N皇后问题_回溯

测试数据:

[
[".Q..", // Solution 1
"...Q",
"Q...",
"..Q."],

["..Q.", // Solution 2
"Q...",
"...Q",
".Q.."]
]

[LeetCode] N-Queens N皇后问题_递归_02


优化   -- 剪枝:

[LeetCode] N-Queens N皇后问题_算法_03

思路:

[LeetCode] N-Queens N皇后问题_回溯_04


对角线分析:

[LeetCode] N-Queens N皇后问题_二维数组_05

[LeetCode] N-Queens N皇后问题_回溯_06

 

代码;

import java.util.LinkedList;
import java.util.List;
import java.util.ArrayList;
import java.util.Arrays;
public class liubobo_8_6 {
/// 51. N-Queens
/// https://leetcode.com/problems/n-queens/description/
/// 时间复杂度: O(n^n)
/// 空间复杂度: O(n)
private boolean[] col;//列方向是否冲突
private boolean[] dia1;//左对角线是否冲突
private boolean[] dia2;//右对角线是否冲突
private ArrayList<List<String>> res;

public List<List<String>> solveNQueens(int n) {

res = new ArrayList<List<String>>();
col = new boolean[n];
dia1 = new boolean[2 * n - 1];
dia2 = new boolean[2 * n - 1];

LinkedList<Integer> row = new LinkedList<Integer>();
putQueen(n, 0, row);

return res;
}

// 尝试在一个n皇后问题中, 摆放第index行的皇后位置
private void putQueen(int n, int index, LinkedList<Integer> row){

if(index == n){//递归函数终止情况
res.add(generateBoard(n, row));
return;
}

for(int i = 0 ; i < n ; i ++)
// 尝试将第index行的皇后摆放在第i列
if(!col[i] && !dia1[index + i] && !dia2[index - i + n - 1]){
row.addLast(i);
col[i] = true;// i列不能再有元素了
dia1[index + i] = true;//index +i对角线中不能再有元素了
dia2[index - i + n - 1] = true;//index- i + n - 1对角线中不能再有元素了
putQueen(n, index + 1, row);
col[i] = false;//回溯
dia1[index + i] = false;// 回溯
dia2[index - i + n - 1] = false;// 回溯
row.removeLast();//回溯
}

return;
}
//将row的解转换为二维数组的解
private List<String> generateBoard(int n, LinkedList<Integer> row){

assert row.size() == n;

ArrayList<String> board = new ArrayList<String>();
for(int i = 0 ; i < n ; i ++){
char[] charArray = new char[n];
Arrays.fill(charArray, '.');
charArray[row.get(i)] = 'Q';
board.add(new String(charArray));
}
return board;
}

private static void printBoard(List<String> board){
for(String s: board)
System.out.println(s);
System.out.println();
}

public static void main(String[] args) {

int n = 4;
List<List<String>> res = (new liubobo_8_6()).solveNQueens(n);
for(List<String> board: res)
printBoard(board);
}
}

类似问题;

1. Sudoku Solver 求解数独

[LeetCode] N-Queens N皇后问题_二维数组_07