Description:
Input:
Output:
Sample Input
2 1 #. .# 4 4 ...# ..#. .#.. #... -1 -1
Sample Output
2 1
题意:中文题。。。。题目要求棋子不能在同一行或同一列,那么我们可以从第一行开始遍历,一般输出方案,方法有多少种时用DFS。
#include<stdio.h> #include<string.h> #include<algorithm> using namespace std; char Map[20][20]; int n, vis[20], ans, K; ///ans记录方案个数 void DFS(int u, int k) { int i, j; if (k == K) ///总共是K个棋子,那么当步数达到K时,就是一种方案了 { ans++; return ; } if (u == n) return ; ///u是行,达到边界时不用再继续 for (i = u; i < n; i++) ///从这一行开始向下遍历 { for (j = 0; j < n; j++) { if (Map[i][j] == ‘#‘ && !vis[j]) ///当发现有一列没有放棋子时步数加1 { vis[j] = 1; Map[i][j] = ‘.‘; DFS(i+1, k+1); ///下一次DFS时步数加1,注意行数是i+1,不是u+1,这里我总是错,这次调试终于自己找出来了。。。。 Map[i][j] = ‘#‘; vis[j] = 0; } } } } int main () { int i; while (scanf("%d%d", &n, &K), n != -1 || K != -1) { for (i = 0; i < n; i++) scanf("%s", Map[i]); memset(vis, 0, sizeof(vis)); ///标记每一列是否遍历,因为我们遍历的是行,那么行就不用标记了 ans = 0; DFS(0, 0); ///一开始从第一行开始遍历,步数为零 printf("%d\n", ans); } return 0; }
原文:http://www.cnblogs.com/syhandll/p/4839747.html