ACM_搜索:杭电oj1045:Fire Net
程序员文章站
2024-02-02 13:41:58
...
题目传送门:http://acm.hdu.edu.cn/showproblem.php?pid=1045
题目大意:正方形街道上有墙壁和炮.炮会向四个方向发射.墙可以阻挡子弹.给你不同的墙的位置和街道的大小.让你找到一种位置.能够放置最多的炮,且发射的子弹不会打到别的炮.打印炮的数量即可.
由于正方形的边长较小.可以直接用深度dfs依次遍历.找最大值.
AC代码:
#include <iostream>
#include <algorithm>
#include <memory.h>
#include <stdio.h>
using namespace std;
#define Size 4
//'X'是墙.'D'代表碉堡.
char world[Size][Size];
int n;
char cr;
int countM;
//判断当前是否可以放炮火.
bool judge(int x, int y)
{
//先往上判断.
for (int i = x - 1; i >= 0; --i)
{
if (world[i][y] == 'D')
return false;
if (world[i][y] == 'X')
break;
}
//往下判断.
for (int i = x + 1; i < n; ++i)
{
if (world[i][y] == 'D')
return false;
if (world[i][y] == 'X')
break;
}
//往左判断.
for (int i = y - 1; i >= 0; --i)
{
if (world[x][i] == 'D')
return false;
if (world[x][i] == 'X')
break;
}
//往右判断.
for (int i = y + 1; i < n; ++i)
{
if (world[x][i] == 'D')
return false;
if (world[x][i] == 'X')
break;
}
return true;
}
int maxL = 0;
void dfs()
{
//记录最大值.
maxL = max(countM,maxL);
//其实就是枚举了所有的情况.最后取最大值.
for (int i = 0; i < n; ++i)
{
for (int j = 0; j < n; ++j)
{
if (world[i][j] == '.' && judge(i, j))
{
//放D
world[i][j] = 'D';
countM++;
dfs();
//回溯的时候.把世界地图和已放置的值修改回来.
world[i][j] = '.';
countM--;
}
}
}
}
int main()
{
while (1)
{
scanf("%d", &n);
if (n == 0)
break;
countM = 0;
maxL = 0;
memset(world,0,sizeof(world));
for (int i = 0; i < n; ++i)
{
//读取换行符...
getchar();
for (int j = 0; j < n; ++j)
{
scanf("%c", &world[i][j]);
}
}
dfs();
printf("%d\n", maxL);
}
return 0;
}