- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
- 25
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
- 43
- 44
- 45
- 46
- 47
- 48
- 49
- 50
- 51
- 52
- 53
- 54
- 55
- 56
- 57
- 58
- 59
- 60
- 61
- 62
- 63
- 64
- 65
- 66
- 67
- 68
- 69
- 70
- 71
- 72
- 73
- 74
- 75
- 76
- 77
- 78
C解法
更新中
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
JS解法
连通区域由非障碍物 . 或 E 构成;
连通区域中包含的敌人 E 的数量小于限制值 limit。
代码采用 广度优先搜索 (BFS) 方法进行区域探索,以下是具体步骤:
输入解析与初始化:
从输入读取网格的行数、列数、敌人数量限制值 limit 和网格内容。
初始化一个布尔数组 visited,用来记录哪些单元格已经访问过。
连通区域查找与判断:
遍历网格的每个单元格:
如果当前单元格未被访问且不是障碍物,使用 BFS 遍历它所在的连通区域。
在 BFS 过程中统计当前区域内的敌人 E 的数量。
如果敌人数小于 limit,将该区域计入结果。
BFS 实现:
使用队列保存当前连通区域的单元格。
对于每个单元格,检查其上下左右四个方向的相邻单元格是否满足条件(未访问且不是障碍物),如果满足,则加入队列。
在遍历的同时统计敌人 E 的数量。
输出结果:
返回满足条件的连通区域数量
const readline = require("readline");
const rl = readline.createInterface({
input: process.stdin,
output: process.stdout,
});
let grid, visited;
let rows, cols, limit;
const data = [];
rl.on("line", (line) => {
data.push(line);
if (data.length === 1) {
[rows, cols, limit] = data[0].split(" ").map(Number);
}
if (data.length === rows + 1) {
grid = data.slice(1);
visited = Array.from({ length: rows }, () => Array(cols).fill(false));
console.log(findAreas());
data.length = 0;
}
});
function findAreas() {
let count = 0;
for (let x = 0; x < rows; x++) {
for (let y = 0; y < cols; y++) {
if (!visited[x][y] && grid[x][y] !== '#') {
const enemies = explore(x, y);
if (enemies < limit) count++;
}
}
}
return count;
}
const directions = [
[-1, 0], [1, 0], [0, -1], [0, 1]
];
function explore(x, y) {
let enemyCount = 0;
if (grid[x][y] === 'E') enemyCount++;
const queue = [[x, y]];
visited[x][y] = true;
while (queue.length) {
const [curX, curY] = queue.shift();
for (const [dx, dy] of directions) {
const newX = curX + dx;
const newY = curY + dy;
if (
newX >= 0 && newX < rows &&
newY >= 0 && newY < cols &&
!visited[newX][newY] &&
grid[newX][newY] !== '#'
) {
if (grid[newX][newY] === 'E') enemyCount++;
visited[newX][newY] = true;
queue.push([newX, newY]);
}
}
}
return enemyCount;
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
- 25
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
- 43
- 44
- 45
- 46
- 47
- 48
- 49
- 50
- 51
- 52
- 53
- 54
- 55
- 56
- 57
- 58
- 59
- 60
- 61
- 62
- 63
- 64
- 65
- 66
- 67
- 68
- 69
- 70
- 71
- 72
- 73
- 74
- 75
- 76
- 77
- 78
- 79
- 80
- 81
- 82
- 83
- 84
- 85
- 86
- 87
- 88
- 89
- 90
- 91
注意:
如果发现代码有用例覆盖不到的情况,欢迎反馈!会在第一时间修正,更新。
解题不易,如对您有帮助,欢迎点赞/收藏
评论记录:
回复评论: