forked from halfrost/LeetCode-Go
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path51. N-Queens.go
85 lines (81 loc) · 2.1 KB
/
51. N-Queens.go
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
package leetcode
// 解法一 DFS
func solveNQueens(n int) [][]string {
col, dia1, dia2, row, res := make([]bool, n), make([]bool, 2*n-1), make([]bool, 2*n-1), []int{}, [][]string{}
putQueen(n, 0, &col, &dia1, &dia2, &row, &res)
return res
}
// 尝试在一个n皇后问题中, 摆放第index行的皇后位置
func putQueen(n, index int, col, dia1, dia2 *[]bool, row *[]int, res *[][]string) {
if index == n {
*res = append(*res, generateBoard(n, row))
return
}
for i := 0; i < n; i++ {
// 尝试将第index行的皇后摆放在第i列
if !(*col)[i] && !(*dia1)[index+i] && !(*dia2)[index-i+n-1] {
*row = append(*row, i)
(*col)[i] = true
(*dia1)[index+i] = true
(*dia2)[index-i+n-1] = true
putQueen(n, index+1, col, dia1, dia2, row, res)
(*col)[i] = false
(*dia1)[index+i] = false
(*dia2)[index-i+n-1] = false
*row = (*row)[:len(*row)-1]
}
}
return
}
func generateBoard(n int, row *[]int) []string {
board := []string{}
res := ""
for i := 0; i < n; i++ {
res += "."
}
for i := 0; i < n; i++ {
board = append(board, res)
}
for i := 0; i < n; i++ {
tmp := []byte(board[i])
tmp[(*row)[i]] = 'Q'
board[i] = string(tmp)
}
return board
}
// 解法二 二进制操作法
// class Solution
// {
// int n;
// string getNq(int p)
// {
// string s(n, '.');
// s[p] = 'Q';
// return s;
// }
// void nQueens(int p, int l, int m, int r, vector<vector<string>> &res)
// {
// static vector<string> ans;
// if (p >= n)
// {
// res.push_back(ans);
// return ;
// }
// int mask = l | m | r;
// for (int i = 0, b = 1; i < n; ++ i, b <<= 1)
// if (!(mask & b))
// {
// ans.push_back(getNq(i));
// nQueens(p + 1, (l | b) >> 1, m | b, (r | b) << 1, res);
// ans.pop_back();
// }
// }
// public:
// vector<vector<string> > solveNQueens(int n)
// {
// this->n = n;
// vector<vector<string>> res;
// nQueens(0, 0, 0, 0, res);
// return res;
// }
// };