当前位置:   article > 正文

N皇后问题(java)_用栈解决n皇后问题,请用java代码实现

用栈解决n皇后问题,请用java代码实现

n皇后问题是一个以国际象棋为背景的问题:在n×n的国际象棋棋盘上放置n个皇后,使得任何一个皇后都无法直接吃掉其他的皇后,即任意两个皇后都不能处于同一条横行、纵行或斜线上。

我们通过回溯的方法将所有可能的情况遍历一遍

假设现在有一个4*4的棋盘

我们从第一行开始遍历放入棋盘判断上、右上、左上是否有棋子(向下无需遍历,我们从上向下遍历)

 

 若在遍历过程中一整行都没有可放入的格子则返回上一列继续向后遍历直至每一行都有正确格子

 

 

 循环上述过程

代码实现

  1. public class NQueen {
  2. private static int count = 0;//记录解的个数
  3. private static final int N = 4;//N皇后 矩阵的尺寸
  4. private static int[][] arr = new int[N][N];//棋盘数据 我们在二维数组中用1代表棋子 0代表可放入
  5. public static void main(String[] args) {
  6. queen(0);//一行一行解决问题
  7. }
  8. //递归的解决row角标行 皇后的问题 如果row==N 说明一个解就出来了
  9. private static void queen(int row) {
  10. if (row == N){//当行遍历到N皇后尺寸最大值时返回答案
  11. count++;
  12. System.out.println("第" + count + "个解:");
  13. printArr();
  14. }else {
  15. //遍历当前行的列
  16. for (int col = 0; col < N; col++) {
  17. if (!isDangerous(row, col)){
  18. //每次放置皇后的时候 都先对该行进行清空
  19. for (int c = 0; c < N; c++) {
  20. arr[row][c] = 0;
  21. }
  22. arr[row][col] = 1;
  23. queen(row + 1);
  24. }
  25. }
  26. }
  27. }
  28. //判断上、左上、右上是否有格子
  29. private static boolean isDangerous(int row, int col) {
  30. //向上
  31. for (int r = row - 1; r >= 0; r--) {
  32. if (arr[r][col] == 1){
  33. return true;
  34. }
  35. }
  36. //左上
  37. for (int r = row - 1, c = col - 1; r >= 0 && c >= 0 ; r--,c--) {
  38. if (arr[r][c] == 1){
  39. return true;
  40. }
  41. }
  42. //右上
  43. for (int r = row - 1, c = col + 1; r >= 0 && c < N ; r--,c++) {
  44. if (arr[r][c] == 1){
  45. return true;
  46. }
  47. }
  48. return false;
  49. }
  50. private static void printArr() {
  51. for (int i = 0; i < N; i++) {
  52. for (int j = 0; j < N; j++) {
  53. System.out.print(arr[i][j] + " ");
  54. }
  55. System.out.println();
  56. }
  57. }
  58. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/繁依Fanyi0/article/detail/633200
推荐阅读
相关标签
  

闽ICP备14008679号