Last active
January 31, 2018 08:15
-
-
Save lya79/de440fa15bcfc63cb49754032e0468f2 to your computer and use it in GitHub Desktop.
實作_八皇后問題(n個)
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| import java.util.Arrays; | |
| /* | |
| * 八皇后問題(n個) | |
| * 此程式用來描述 回溯法(backtracking) | |
| * 根據上一版本進行修改 | |
| * https://gist.github.com/lya79/6f51a1a6834229db172ccaaeedc0f888 | |
| */ | |
| public class EightQueensPuzzleV2 { | |
| private int total = 8;//皇后數量 | |
| private int[] result = new int[total]; | |
| private int count = 0; | |
| public EightQueensPuzzleV2() { | |
| for (int column = 0; column < total; column++) { | |
| result[0] = column; | |
| nextRow(1); | |
| } | |
| System.out.println("總共: " + count + "個解"); | |
| } | |
| public static void main(String[] args) { | |
| new EightQueensPuzzleV2(); | |
| } | |
| private void print() { | |
| System.out.println(Arrays.toString(result)); | |
| for (int row = 0; row < result.length; row++) { | |
| for (int column = 0; column < result.length; column++) { | |
| if (result[row] == column) { | |
| System.out.print("⚫"); | |
| } else { | |
| System.out.print("⎕"); | |
| } | |
| if (column < result.length - 1) { | |
| System.out.print(""); | |
| } | |
| } | |
| System.out.println(""); | |
| } | |
| System.out.println(); | |
| } | |
| private void nextRow(int row) { | |
| for (int column = 0; column < total; column++) { | |
| result[row] = column; | |
| if (isError(row)) { | |
| continue; | |
| } | |
| if (row == total - 1) { | |
| print(); | |
| count += 1; | |
| continue; | |
| } | |
| if (row < total - 1) { | |
| nextRow(row + 1); | |
| } | |
| } | |
| } | |
| private boolean isError(int row) { | |
| boolean error = false; | |
| for (int i = 0; i < row; i++) { | |
| int row2 = result[i]; | |
| int row3 = result[row]; | |
| int space = row - i; | |
| if (row2 == row3) { | |
| error = true; | |
| } else if (row2 == row3 + space) { | |
| error = true; | |
| } else if (row2 == row3 - space) { | |
| error = true; | |
| } | |
| if (error) { | |
| break; | |
| } | |
| } | |
| return error; | |
| } | |
| } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment