题目描述
地上有一个 m 行和 n 列的方格,横纵坐标范围分别是 0∼m−1 和 0∼n−1。
一个机器人从坐标 (0,0) 的格子开始移动,每一次只能向左,右,上,下四个方向移动一格。
但是不能进入行坐标和列坐标的数位之和大于 k 的格子。
请问该机器人能够达到多少个格子?
0<=m<=50
0<=n<=50
0<=k<=100
算法1 DFS
C++ 代码
class Solution {
public:
int ans;
bool visit[55][55];
int movingCount(int threshold, int rows, int cols)
{
dfs(threshold, 0, 0, rows, cols);
return ans;
}
void dfs(int k, int x, int y, int m, int n)
{
int s = x / 10 + x % 10 + y / 10 + y % 10;
if (s > k || x < 0 || x >= m || y < 0 || y >= n || visit[x][y]) return;
if (!visit[x][y])
{
ans ++;
visit[x][y] = true;
dfs(k, x + 1, y, m, n);
dfs(k, x - 1, y, m, n);
dfs(k, x, y + 1, m, n);
dfs(k, x, y - 1, m, n);
}
}
};
算法2 BFS
C++ 代码
class Solution {
public:
bool check(int x, int y, int k)
{
int s = x / 10 + x % 10 + y / 10 + y % 10;
if (s > k) return false;
return true;
}
int movingCount(int threshold, int rows, int cols)
{
if (!rows && !cols) return 0;
queue<pair<int, int>> q;
vector<vector<bool>> st = vector<vector<bool>>(rows, vector<bool>(cols, false));
q.push({0, 0});
st[0][0] = true;
int dx[4] = {0, 0, -1, 1}, dy[4] = {1, -1, 0, 0};
int res = 0;
while (q.size())
{
auto a = q.front();
q.pop();
res ++;
for (int i = 0; i < 4; i ++)
{
int x = a.first + dx[i], y = a.second + dy[i];
if (x >= 0 && x < rows && y >= 0 && y < cols && check(x, y, threshold) && !st[x][y])
{
q.push({x, y});
st[x][y] = true;
}
}
}
return res;
}
};