洛谷B3625 迷宫寻路
思路:
模板问题应该是,但是没法过全部样例,应该还需要进一步的剪枝。
代码:
#include <iostream>
using namespace std;
const int N = 110;
char map[N][N];
bool st[N][N],flag;
int n, m;
int dx[4] = {1, -1, 0, 0}, dy[4] = {0, 0, 1, -1};
bool dfs(int x,int y)
{
if (x==n-1 && y== m-1)
{
return true;
}
// cout << x << ' ' << y << endl;
for (int i = 0; i < 4; i ++)
{
int xx = x + dx[i], yy = y + dy[i];
if (xx >= 0 && xx <= n-1 && yy >= 0 && yy <= m-1 && st[xx][yy] == false && map[xx][yy] == '.')
{
st[xx][yy] = true;
if(dfs (xx, yy)) return true;
st[xx][yy] = false;
}
}
return false;
}
int main()
{
cin >> n >> m;
for (int i = 0; i <= n-1; i ++ )
scanf("%s", &map[i]);
flag = dfs(0, 0);
if (flag == true) puts("Yes");
else puts("No");
return 0;
}
洛谷P1706 全排列问题
思路:
模板问题,有一点要注意的是每个数字占5个字符的宽度。
代码:
#include <iostream>
#include <iomanip>
using namespace std;
const int N = 10;
int state[N],n;
bool st[N];
void dfs(int u)
{
if (u > n)
{
for (int i = 1; i <= n; i ++)
{
cout << setw(5) << state[i];
}
puts("");
return ;
}
for (int i = 1; i <= n; i ++)
{
if (!st[i])
{
st[i] = true;
state[u] = i;
dfs(u+1);
st[i] = false;
}
}
}
int main()
{
cin >> n;
dfs(1);
return 0;
}
洛谷P1451 求细胞数量
思路:
暴搜,搜到就做标记,然后判定有几块即可。
代码:
#include <iostream>
using namespace std;
const int N = 110;
int map[N][N], n, m, ans;
string str[N];
bool st[N][N];
int dx[4] = {1, -1, 0, 0},dy[4] = {0, 0, 1, -1};
void dfs(int i, int j)
{
st[i][j] = true;
for (int k = 0; k < 4; k ++ )
{
int x = i + dx[k], y = j + dy[k];
if(!st[x][y] && x >= 1 && x <= n && y >= 1 && y <= m && map[x][y] < 10 && map[x][y] > 0)
{
dfs (x,y);
}
}
}
int main()
{
cin >> n >> m;
for (int i = 1; i <= n; i ++ )
cin >> str[i];
for (int i = 1; i <= n; i ++ )
{
for (int j = 0; j < m; j ++)
{
map[i][j+1] = str[i][j] - '0';
}
}
for (int i = 1; i <= n; i ++ )
{
for (int j = 1; j <= m; j ++)
{
if(!st[i][j] && map[i][j] < 10 && map[i][j] > 0)
{
dfs(i,j);
ans ++;
}
}
}
cout << ans;
return 0;
}
洛谷P1219 [USACO1.5] 八皇后
思路:
基本模板题,但是中间的对角线我实现有点问题,等有时间再好好揣摩揣摩。(中间关于对角线我是抄的)
代码:
#include <iostream>
using namespace std;
const int N = 15;
int map[N][N];
int total, n;
int a[100],b[100],c[100],d[100];
void dfs(int i)
{
if(i>n)
{
if(total <= 2)
{
for(int k = 1; k <= n; k ++ )
{
cout << a[k] << ' ';
}
cout << endl;
}
total ++;
return ;
}
for (int j = 1; j <= n; j ++ )
{
if((!b[j])&&(!c[i+j])&&(!d[i-j+n]))//如果没有皇后占领,执行以下程序
{
a[i]=j;//标记i排是第j个
b[j]=1;//宣布占领纵列
c[i+j]=1;
d[i-j+n]=1;
//宣布占领两条对角线
dfs(i+1);//进一步搜索,下一个皇后
b[j]=0;
c[i+j]=0;
d[i-j+n]=0;
//(回到上一步)清除标记
}
}
}
int main()
{
cin >> n;
dfs(1);
cout << total;
return 0;
}