[CareerCup] 9.9 Eight Queens 八皇后问题

简介:

9.9 Write an algorithm to print all ways of arranging eight queens on an 8x8 chess board so that none of them share the same row, column or diagonal. In this case, "diagonal" means all diagonals, not just the two that bisect the board.

LeetCode上的原题,请参见我之前的博客N-Queens N皇后问题N-Queens II N皇后问题之二

class Solution {
public:
    vector<vector<int> > placeQueens(int n) {
        vector<vector<int> > res;
        vector<int> pos(n, -1);
        placeQueensDFS(pos, 0, res);
        return res;
    }
    void placeQueensDFS(vector<int> &pos, int row, vector<vector<int> > &res) {
        int n = pos.size();
        if (row == n) res.push_back(pos);
        else {
            for (int col = 0; col < n; ++col) {
                if (isValid(pos, row, col)) {
                    pos[row] = col;
                    placeQueensDFS(pos, row + 1, res);
                    pos[row] = -1;
                }
            }
        }
    }
    bool isValid(vector<int> &pos, int row, int col) {
        for (int i = 0; i < row; ++i) {
            if (col == pos[i] || abs(row - i) == abs(col - pos[i])) {
                return false;
            }
        }
        return true;
    }
};

本文转自博客园Grandyang的博客,原文链接:八皇后问题[CareerCup] 9.9 Eight Queens,如需转载请自行联系原博主。

相关文章
codeforces 272C. Dima and Staircase(线段树)
题目很长,看加猜加谷歌翻译才看懂了题目。每级台阶的宽都是1,但高不同,并且告诉你了,然后给你m个箱子,长和宽都告诉你,把箱子靠左放,求箱子的底部有多高。
29 0
华为机试HJ44:Sudoku(数独问题,深度优先遍历DFS解法)
华为机试HJ44:Sudoku(数独问题,深度优先遍历DFS解法)
132 0
|
机器学习/深度学习
LeetCode 51. N-Queens
n-queens难题是将n个皇后放置在n×n棋盘上的问题,使得没有两个皇后互相攻击。 给定整数n,返回n-queens拼图的所有不同解。
85 0
LeetCode 51. N-Queens
|
存储 Python
[Leetcode][python]N-Queens/N-Queens II/N皇后/N皇后 II
N-Queens 题目大意 经典的八皇后问题的一般情况 注意点: 皇后用"Q"表示,空白用"."表示 解题思路 回溯法,位运算等,见总结
119 0
|
机器学习/深度学习