宝宝,文章都被你看光了,可以给我一个赞吗?拜托拜托❤️
或者点个关注也行谢谢宝宝💕
目的:
1. 掌握递归和排序
2. 掌握BFS与队列
3. 掌握DFS和递归
4. 熟悉并理解回溯问题
实验内容:
1. 五星填数
在五星图案节点填上数字:1~12,不包括7和11。
要求每条直线上数字和相等。
如图就是一个恰当的填法。
请搜索所有可能的填法有多少种。
#include <bits/stdc++.h>
using namespace std;
int star[11] = {0, 1, 2, 3, 4, 5, 6, 8, 9, 10, 12};
int SituationCount = 0;
void dfs(int begin, int end)
{
if(begin == end)
{
int edgeA = star[1] + star[3] + star[6] + star[9];
int edgeB = star[1] + star[4] + star[8] + star[10];
int edgeC = star[2] + star[3] + star[4] + star[5];
int edgeD = star[2] + star[6] + star[7] + star[10];
int edgeE = star[5] + star[7] + star[8] + star[9];
//A和所有边比较
if((edgeA==edgeB) && (edgeA==edgeC) && (edgeA==edgeD) && (edgeA==edgeE))
{
SituationCount++;
}
return;
}
for(int i = begin; i <= end; i++)
{
swap(star[begin], star[i]);
dfs(begin+1, end);
swap(star[begin], star[i]); //换回来
}
}
int main()
{
dfs(1, 10); //求出9个数的所有全排列
cout << SituationCount/10 << endl;
// 剔除旋转,镜像相同的解:旋转:一个解旋转5次都相同。镜像:再乘2,所以共10种
return 0;
}
【运行结果】
2.【hdu 1312 "Red and Black"】
一个长方形的房间,铺着方砖,每块砖是 #或黑点. 。一个人站在黑砖上,可以按上、下、左、右方向移动到相邻的砖。他不能在#上移动,他只能在黑砖上移动。起点是@,要求:遍历所有黑点。
#include <bits/stdc++.h>
using namespace std;
char room[4][5] = { //地图
{'.', '.', '.', '.', '#'},
{'.', '.', '.', '.', '.'},
{'#', '@', '.', '.', '.'},
{'.', '#', '.', '.', '#'},
};
int dx[] = {1, -1, 0, 0}, dy[] = {0, 0, 1, -1}; //定义四个方向的偏移量
int StepCount = 0, XMax=3, YMax=4; //步数计数器和地图边界
struct node{ //定义节点结构体,包含x和y坐标
int x;
int y;
};
void bfs(int StartX, int StartY) //广度优先搜索函数,传入起始点的坐标
{
StepCount = 1; //初始化步数计数器为1
queue<node> q; //定义队列用于存储待处理的节点
node start, next; //定义当前节点和下一个节点
start.x = StartX; //设置起始节点的x坐标
start.y = StartY; //设置起始节点的y坐标
q.push(start); //将起始节点加入队列
while(!q.empty()) //当队列不为空时循环
{
start = q.front(); //取出队列中的第一个节点作为当前节点
q.pop(); //从队列中移除当前节点
for(int i=0;i<4;i++) //遍历四个方向
{
next.x = start.x + dx[i]; //计算下一个节点的x坐标
next.y = start.y + dy[i]; //计算下一个节点的y坐标
if(room[next.x][next.y] == '#' || room[next.x][next.y] == '@' || next.x < 0 || next.x > XMax || next.y < 0 || next.y > YMax) //判断下一个节点是否越界或被访问过
continue; //如果越界或已访问,跳过当前方向
room[next.x][next.y] = '#'; //标记下一个节点为已访问
StepCount++; //步数计数器加1
q.push(next); //将下一个节点加入队列
}
}
}
int main()
{
int startx = 2, starty = 1; //设置起始点的坐标
bfs(2, 1); //调用广度优先搜索函数
cout << StepCount << endl; //输出步数计数器的值
return 0;
}
【运行结果】
3. 门牌制作
#include <iostream>
using namespace std;
int res = 0;
void solve(int n)
{
while(n)
{
if(n % 10 == 2)
res++;
n /= 10;
}
}
int main()
{
for(int i=2; i<=2020;i++)
{
solve(i);
}
cout << res;
return 0;
}
【运行结果】
624