poj 1321 棋盤問題 回溯 Java

啊秀學程式設計發表於2020-10-02

poj 1321 棋盤問題

import java.util.Arrays;
import java.util.Scanner;
/**
 * @author wangshaoyu
 */
public class POJ1321棋盤問題 {

    static int n;
    static int k;
    static int ans;
    static boolean[] rows; // 用於標記這一行是否已經放過棋子了
    static boolean[] cols; // 用於標記這一列是否已經放過棋子了
    static char[][] chess;

    public static void main(String[] args) {
        Scanner in = new Scanner(System.in);
        while (true) {
            n = in.nextInt();
            k = in.nextInt(); // k 個棋子
            if (n == -1 && k == -1) {
                break;
            }
            ans = 0;
            chess = new char[n][n];
            rows = new boolean[n];
            cols = new boolean[n];
            Arrays.fill(rows, false);
            Arrays.fill(cols, false);
            for (int i = 0; i < n; i++) {
                String str = in.next();
                chess[i] = str.toCharArray();
            }

            dfs(0, 0);
            System.out.println(ans);
        }
    }

    /**
     *
     * @param count 已經擺放好的棋子的數量
     */
    static void dfs (int count, int s) {
        // 如果棋子都放好了,就可以返回了
        if (count == k) {
            ans++;
            return;
        }
        // 每次都要從上一次放的下一行開始放
        for (int i = s; i < n; i++) {
            for (int j = 0; j < n; j++) {
                if (rows[i] == false && cols[j] == false && chess[i][j] == '#') {
                    rows[i] = true;
                    cols[j] = true;
                    // 需要從當前行的下一行開始放。
                    dfs(count + 1, i + 1);
                    rows[i] = false;
                    cols[j] = false;
                }
            }
        }
    }
}

相關文章