• 力扣HOT100 - 994. 腐烂的橘子


    解题思路:

    因为要记录轮数(分钟数),所以不能一口气遍历到底,所以不能用深搜(bfs),而要用广搜(bfs,层序遍历)。

    先记录下新鲜橘子数,并用一个队列记录腐烂橘子的坐标。

    每轮遍历腐烂橘子(使用过的腐烂橘子需要出队),并向四周影响,使得四周的新鲜橘子变为腐烂橘子(新鲜橘子数减1,队列中加入新的腐烂橘子的坐标)。

    1. class Solution {
    2. public int orangesRotting(int[][] grid) {
    3. Queue<int[]> queue = new LinkedList<>();
    4. int fresh = 0;
    5. for (int r = 0; r < grid.length; r++) {
    6. for (int c = 0; c < grid[0].length; c++) {
    7. if (grid[r][c] == 1) fresh++;
    8. else if (grid[r][c] == 2) queue.add(new int[] { r, c });
    9. }
    10. }
    11. int minutes = 0;
    12. while (fresh > 0 && !queue.isEmpty()) {
    13. minutes++;
    14. int n = queue.size();// for循环中queue大小不断变化,需要提前暂存
    15. for (int i = 0; i < n; i++) {
    16. int[] orange = queue.poll();
    17. int r = orange[0];
    18. int c = orange[1];
    19. if (r - 1 >= 0 && grid[r - 1][c] == 1) {
    20. grid[r - 1][c] = 2;
    21. fresh--;
    22. queue.add(new int[] { r - 1, c });
    23. }
    24. if (r + 1 < grid.length && grid[r + 1][c] == 1) {
    25. grid[r + 1][c] = 2;
    26. fresh--;
    27. queue.add(new int[] { r + 1, c });
    28. }
    29. if (c - 1 >= 0 && grid[r][c - 1] == 1) {
    30. grid[r][c - 1] = 2;
    31. fresh--;
    32. queue.add(new int[] { r, c - 1 });
    33. }
    34. if (c + 1 < grid[0].length && grid[r][c + 1] == 1) {
    35. grid[r][c + 1] = 2;
    36. fresh--;
    37. queue.add(new int[] { r, c + 1 });
    38. }
    39. }
    40. }
    41. if (fresh > 0) return -1;
    42. else return minutes;
    43. }
    44. }

  • 相关阅读:
    【os-tutorial】十一,进入32-bit模式
    JDBC笔记
    php字符解析json_decode为null
    Ardupilot — EKF3使用光流室内定位代码梳理
    基于注解的DI
    C++ 类和对象 从入门到超神(下)
    CTF-Misc——图片分析
    【C++11算法】is_sorted、is_sorted_until
    ES Elasticsearch日期范围查询和查不出的坑
    “圆”来如此——关于圆周率 π 的36 个有趣事实
  • 原文地址:https://blog.csdn.net/qq_61504864/article/details/138178612