回溯法
本页面将简要介绍回溯法的概念和应用。
简介
回溯法是一种经常被用在 深度优先搜索(DFS) 和 广度优先搜索(BFS) 的技巧。
其本质是:走不通就回头。
过程
-
构造空间树;
-
进行遍历;
-
如遇到边界条件,即不再向下搜索,转而搜索另一条链;
-
达到目标条件,输出结果。
例题
USACO 1.5.4 Checker Challenge
现在有一个如下的
0 1 2 3 4 5 6
-------------------------
1 | | O | | | | |
-------------------------
2 | | | | O | | |
-------------------------
3 | | | | | | O |
-------------------------
4 | O | | | | | |
-------------------------
5 | | | O | | | |
-------------------------
6 | | | | | O | |
-------------------------
上面的布局可以用序列
行号
列号
这只是跳棋放置的一个方案。请编一个程序找出所有方案并把它们以上面的序列化方法输出,按字典顺序排列。你只需输出前
参考代码
// 该代码为回溯法的 DFS 实现
#include <iostream>
using namespace std;
int ans[14], check[3][28] = {0}, sum = 0, n;
void eq(int line) {
if (line > n) { // 如果已经搜索完n行
sum++;
if (sum > 3)
return;
else {
for (int i = 1; i <= n; i++) cout << ans[i] << ' ';
cout << '\n';
return;
}
}
for (int i = 1; i <= n; i++) {
if ((!check[0][i]) && (!check[1][line + i]) &&
(!check[2][line - i + n])) { // 判断在某位置放置是否合法
ans[line] = i;
check[0][i] = 1;
check[1][line + i] = 1;
check[2][line - i + n] = 1;
eq(line + 1);
// 向下递归后进行回溯,方便下一轮递归
check[0][i] = 0;
check[1][line + i] = 0;
check[2][line - i + n] = 0;
}
}
}
int main() {
cin.tie(nullptr)->sync_with_stdio(false);
cin >> n;
eq(1);
cout << sum;
return 0;
}
迷宫
现有一个尺寸为
参考代码
// 该代码为回溯法的 BFS 实现
#include <cstring>
#include <iostream>
#include <queue>
using namespace std;
int n, m, k, x, y, a, b, ans;
int dx[4] = {0, 0, 1, -1}, dy[4] = {1, -1, 0, 0}; // 四个方向
bool vis[6][6];
struct oo {
int x, y, used[6][6];
};
oo sa;
void bfs() {
queue<oo> q;
sa.x = x;
sa.y = y;
sa.used[x][y] = 1;
q.push(sa);
while (!q.empty()) { // BFS队列
oo now = q.front();
q.pop();
for (int i = 0; i < 4; i++) { // 枚举向四个方向走
int sx = now.x + dx[i];
int sy = now.y + dy[i];
if (now.used[sx][sy] || vis[sx][sy] || sx == 0 || sy == 0 || sx > n ||
sy > m)
continue;
if (sx == a && sy == b) {
ans++;
continue;
}
sa.x = sx;
sa.y = sy;
memcpy(sa.used, now.used, sizeof(now.used));
sa.used[sx][sy] = 1;
q.push(sa); // 假设向此方向走,放入BFS队列
}
}
}
int main() {
cin.tie(nullptr)->sync_with_stdio(false);
cin >> n >> m >> k;
cin >> x >> y >> a >> b;
for (int i = 1, aa, bb; i <= k; i++) {
cin >> aa >> bb;
vis[aa][bb] = true; // 障碍位置不可通过
}
bfs();
cout << ans;
return 0;
}
最后更新: 2023年2月17日
创建日期: 2018年7月11日
创建日期: 2018年7月11日