蓝桥杯 剪邮票(dfs枚举 + bfs)

时间:2023-03-08 18:21:06

剪邮票

如图1, 有12张连在一起的12生肖的邮票。
现在你要从中剪下5张来,要求必须是连着的。
(仅仅连接一个角不算相连)
比如,图2,图3中,粉红色所示部分就是合格的剪取。

请你计算,一共有多少种不同的剪取方法。

请填写表示方案数目的整数。
注意:你提交的应该是一个整数,不要填写任何多余的内容或说明性文字。

蓝桥杯 剪邮票(dfs枚举 + bfs)蓝桥杯 剪邮票(dfs枚举 + bfs)蓝桥杯 剪邮票(dfs枚举 + bfs)

        图1                   图2                   图3

思路:1、首先从12数中选出5个数(求其所有组合数) 用dfs(保证五个数是递增的,避免重复) ,存入一维数组a中

   2、将a中的这五个数转化为二维坐标形式,然后将其在地图上置1(将vis置1),再用bfs判断地图上这5个置1的数是否相连

 #include<iostream>
#include<algorithm>
#include<queue>
#include<cstring> using namespace std; int a[];
int vis[][]; //下标为0的不用
int dx[] = { ,-,, };
int dy[] = { ,,,- }; int result = ; struct node
{
int x, y;
}s; void bfs(int a[])
{
memset(vis, , sizeof(vis)); //记得将vis置零,防止有残余的1
int x, y; //把一维下标转换为二维坐标
for (int i = ; i <= ; ++i)
{
if (a[i] % == )
{
x = a[i] / ;
y = ;
}
else
{
x = a[i] / + ;
y = a[i] % ;
}
vis[x][y] = ;
} s.x = x;
s.y = y; queue<node>Q;
Q.push(s);
vis[s.x][s.y] = ;
int num = ; node t;
while (!Q.empty())
{
t = Q.front();
Q.pop(); for (int i = ; i < ; ++i)
{
int xx = t.x + dx[i];
int yy = t.y + dy[i];
if (xx >= && xx <= && yy >= && yy <= && vis[xx][yy] == )
{
++num; //每有一个相连,num就自增
vis[xx][yy] = ;
s.x = xx;
s.y = yy;
Q.push(s);
}
}
} if (num == ) //如果这5个数都相连
{
++result;
} } void dfs(int step) //从12个数中取出5个(即12取5的所有组合),存入一维数组a中(从下标1开始存储)
{
if (step == )
{
bfs(a); //用bfs判断取出的这5个数在图中是否相连
return;
} for (int i = ; i <= ; ++i)
{
if (i > a[step - ]) //以递增的顺序选出,可以防止重复
{
a[step] = i;
dfs(step + );
}
} } int main()
{
memset(a, , sizeof(a));
dfs();
cout << result << endl; return ;
}