HDU1010 Temper of the Bone

刚刚上实验课,榨果汁。。。自觉学不到什么东西,就来到了机房,看看HDU上的题。一道搜索,其中包含了几个我从没想到过的剪枝方法,例如奇偶剪枝、路径剪枝还有在主函数中的一个剪枝,诸见代码与注释,虽然看起来没什么用的剪枝没准会遇到变态的测试数据导致最后的完蛋,所以只要能想到的剪枝就尽量写上去。
注:这题的代码来自标程。

/*
    Exe.Time    Exe.Memory  Code Len.   Language    Author
    62MS        1676K       2081 B      C++         int9
*/

// PPT上的标程
#define LOCAL


#include <iostream>
#include <cmath>
#include <fstream>

using namespace std;

// 迷宫地图
// X:墙壁,小狗不能进入
// S:小狗所处位置
// D:迷宫的门
// .:空格

char map[9][9];
int n, m, t, di, dj;    // (di, dj):门的位置
bool escape;

int dir[4][2] = {{0, -1}, {0, 1}, {1, 0}, {-1, 0}};

/*
    1 1 1 1 1 1 1 1 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 0 0 0 0 0 0 0 1
    1 1 1 1 1 1 1 1 1

*/

void dfs(int si, int sj, int cnt) // 表示在si,sj要求在cnt秒达到门的位置
// cnt 是当前的时间而非上述的注释
{
    int i, temp;
    if (si > n || sj > m || si <= 0 || sj <= 0) return;

    if (si == di && sj == dj && cnt == t) {
        escape = 1;
        return;
    }

    // 此处奇偶剪枝和路径剪枝
    temp = (t - cnt) - abs(si - di) - abs(sj - dj);
    if (temp < 0 || temp & 1) return;

    for (i = 0; i < 4; i++) {
        if (map[si + dir[i][0]][sj + dir[i][1]] != 'X') {
            map[si + dir[i][0]][sj + dir[i][1]] = 'X';
            dfs(si + dir[i][0], sj + dir[i][1], cnt + 1);
            if (escape) return;
            // backtrack
            map[si + dir[i][0]][sj + dir[i][1]] = '.';
        }
    }
    return;
}

// 到此这个DFS函数已经颇有效率,如果在此main函数中不进行剪枝也是可以的

int main() {
#ifdef LOCAL
    freopen("input.txt", "r", stdin);
#endif

    std::ios::sync_with_stdio(false);

    int i, j, si, sj;
    while (cin >> n >> m >> t && n && m && t) {
        // 此处数据是将要对对某些破烂数据的剪枝,可以删除掉
        int wall = 0;


        // Input
        for (i = 1; i <= n; i++) {
            for (j = 1; j <= m; j++) {
                cin >> map[i][j];
                if (map[i][j] == 'S') { si = i; sj = j; }
                else if (map[i][j] == 'D') { di = i; dj = j; }
                // 对墙数量的剪枝
                else if (map[i][j] == 'X') wall++;
            }
        }

        if (n * m - wall <= t) {
            cout << "NO" << endl;
            continue;
        }

        escape = 0;


        // 上述剪枝完毕,估计也没多少数据会用到上面这个剪枝,对效率提升不大

        map[si][sj] = 'X';
        dfs(si, sj, 0);

        if (escape) cout << "YES" << endl;
        else cout << "NO" << endl;
    }
    return 0;

}

同样是对于矩阵的搜索,这题的矩阵范围不大,但是测试组数貌似会很多。

发布了38 篇原创文章 · 获赞 4 · 访问量 1万+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章