题解 AcWing 1112. 迷宫 & AcWing 1113. 红与黑

题目描述

因为这两题都比较简单并且很相似所以这里就不再复述题意了。

AcWing 1112. 迷宫 & AcWing 1113. 红与黑

Solution

思路都基本一样:标记所有的障碍点,找到起点,从起点开始 DFS 。

  • 迷宫这一题就是标记所有的点,然后判断终点是否被标记过。注意要判断起点或者终点是不是障碍点
  • 红与黑这一题就是在 DFS 的同时记录一下有几个点被搜到了。可以开一个全局变量,每搜到一个新的点就让这个变量加一,也可以在递归内部开一个变量,本题解采用的是后者。

有个小技巧:因为走过的点和障碍点可以看成是同一个东西,所以并不需要另外开一个数组存储每个点是不是障碍点,直接标记这些点走过就行了。但是第一题需要先判断起点或者终点是不是障碍点

注意多测要清空。

AcWing 1112. 迷宫:

#include <cstdio>
#include <cstring>
#include <cctype>
#include <algorithm>
#include <iostream>
using namespace std;
const int N = 105;
bool vis[N][N];
const int dx[] = {0 ,-1 ,1 ,0 ,0} ,dy[] = {0 ,0 ,0 ,-1 ,1};
int n;
inline void dfs(int x ,int y) {
    vis[x][y] = true;
    for (int i = 1; i <= 4; i++) {
        int tx = x + dx[i] ,ty = y + dy[i];
        if (tx < 1 || ty < 1 || tx > n || ty > n || vis[tx][ty]) continue;
        dfs(tx ,ty);
    }
}
char s[N];
signed main() {
    int T; scanf("%d" ,&T);
    while (T--) {
        scanf("%d" ,&n);
        for (int i = 1; i <= n; i++) {
            scanf("%s" ,s + 1);
            for (int j = 1; j <= n; j++)
                if (s[j] == '#') vis[i][j] = true;
        }
        int a ,b ,c ,d;
        scanf("%d%d%d%d" ,&a ,&b ,&c ,&d);
        a++; b++; c++; d++;
        if (!vis[a][b] && !vis[c][d]) {
            dfs(a ,b);
            if (vis[c][d]) puts("YES");
            else puts("NO");
        }
        else puts("NO");
        memset(vis ,false ,sizeof(vis));
    }
}

AcWing 1113. 红与黑

#include <cstdio>
#include <cstring>
#include <cctype>
#include <algorithm>
#include <iostream>
using namespace std;
inline int read() {
    int num = 0 ,f = 1; char c = getchar();
    while (!isdigit(c)) f = c == '-' ? -1 : f ,c = getchar();
    while (isdigit(c)) num = (num << 1) + (num << 3) + (c ^ 48) ,c = getchar();
    return num * f;
}
const int N = 25;
bool vis[N][N];
const int dx[] = {0 ,-1 ,1 ,0 ,0} ,dy[] = {0 ,0 ,0 ,-1 ,1};
int n ,m;
inline int dfs(int x ,int y) {
    int ans = 1;
    vis[x][y] = true;
    for (int i = 1; i <= 4; i++) {
        int tx = x + dx[i] ,ty = y + dy[i];
        if (tx < 1 || ty < 1 || tx > n || ty > m || vis[tx][ty]) continue;
        ans += dfs(tx ,ty);
    }
    return ans;
}
char s[N];
signed main() {
    while ((m = read() ,n = read()) ,n || m) {
        int sx ,sy;
        for (int i = 1; i <= n; i++) {
            scanf("%s" ,s + 1);
            for (int j = 1; j <= m; j++)
                if (s[j] == '@') sx = i ,sy = j;
                else if (s[j] == '#') vis[i][j] = true;
        }
        printf("%d\n" ,dfs(sx ,sy));
        memset(vis ,0 ,sizeof(vis));
    }
    return 0;
}
上一篇:Asp.Net Mvc自定义控件之树形结构数据生成表格 - WPF特工队内部资料


下一篇:TX-LCN分布式事务-- TCC事务模式(消费者模块)