86 lines
2.1 KiB
Markdown
86 lines
2.1 KiB
Markdown
# 题目链接
|
||
https://leetcode-cn.com/problems/n-queens-ii/
|
||
|
||
# 第51题. N皇后
|
||
|
||
n 皇后问题研究的是如何将 n 个皇后放置在 n×n 的棋盘上,并且使皇后彼此之间不能相互攻击。
|
||
|
||
上图为 8 皇后问题的一种解法。
|
||

|
||
|
||
给定一个整数 n,返回 n 皇后不同的解决方案的数量。
|
||
|
||
示例:
|
||
|
||
输入: 4
|
||
输出: 2
|
||
解释: 4 皇后问题存在如下两个不同的解法。
|
||
[
|
||
[".Q..", // 解法 1
|
||
"...Q",
|
||
"Q...",
|
||
"..Q."],
|
||
|
||
["..Q.", // 解法 2
|
||
"Q...",
|
||
"...Q",
|
||
".Q.."]
|
||
]
|
||
# 思路
|
||
|
||
这道题目和 51.N皇后 基本没有区别
|
||
|
||
# C++代码
|
||
|
||
```
|
||
class Solution {
|
||
private:
|
||
int count = 0;
|
||
void backtracking(int n, int row, vector<string>& chessboard) {
|
||
if (row == n) {
|
||
count++;
|
||
return;
|
||
}
|
||
for (int col = 0; col < n; col++) {
|
||
if (isValid(row, col, chessboard, n)) {
|
||
chessboard[row][col] = 'Q'; // 放置皇后
|
||
backtracking(n, row + 1, chessboard);
|
||
chessboard[row][col] = '.'; // 回溯
|
||
}
|
||
}
|
||
}
|
||
bool isValid(int row, int col, vector<string>& chessboard, int n) {
|
||
int count = 0;
|
||
// 检查列
|
||
for (int i = 0; i < row; i++) { // 这是一个剪枝
|
||
if (chessboard[i][col] == 'Q') {
|
||
return false;
|
||
}
|
||
}
|
||
// 检查 45度角是否有皇后
|
||
for (int i = row - 1, j = col - 1; i >=0 && j >= 0; i--, j--) {
|
||
if (chessboard[i][j] == 'Q') {
|
||
return false;
|
||
}
|
||
}
|
||
// 检查 135度角是否有皇后
|
||
for(int i = row - 1, j = col + 1; i >= 0 && j < n; i--, j++) {
|
||
if (chessboard[i][j] == 'Q') {
|
||
return false;
|
||
}
|
||
}
|
||
return true;
|
||
}
|
||
|
||
public:
|
||
int totalNQueens(int n) {
|
||
std::vector<std::string> chessboard(n, std::string(n, '.'));
|
||
backtracking(n, 0, chessboard);
|
||
return count;
|
||
|
||
}
|
||
};
|
||
```
|
||
|
||
> 更多算法干货文章持续更新,可以微信搜索「代码随想录」第一时间围观,关注后,回复「Java」「C++」 「python」「简历模板」「数据结构与算法」等等,就可以获得我多年整理的学习资料。
|