欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

LeetCode-3.4-994-E-腐烂的橘子(Rotting Oranges)

程序员文章站 2024-01-22 11:15:52
...

文章目录


在给定的网格中,每个单元格可以有以下三个值之一:
值 0 代表空单元格;
值 1 代表新鲜橘子;
值 2 代表腐烂的橘子。
每分钟,任何与腐烂的橘子(在 4 个正方向上)相邻的新鲜橘子都会腐烂。
返回直到单元格中没有新鲜橘子为止所必须经过的最小分钟数。如果不可能,返回 -1。
示例:
LeetCode-3.4-994-E-腐烂的橘子(Rotting Oranges)

思路

(1)本题首先不是Easy,而是Medium;
(2)应用广度优先搜索,使用队列;
(3)方向数组:

			int[] dr = new int[]{-1, 0, 1, 0}; 
			int[] dc = new int[]{0, -1, 0, 1};
			for(int k = 0; k < 4; k++){
                int nr = r + dr[k];
                int nc = c + dc[k];
            }

(4)二维数组坐标转一维:int node = r * clos + c; int r = node / clos; int c = node % clos;
(5)轮流添加进入队列是本题可以求解的核心,其次是对方向数组的应用;

解法

LeetCode-3.4-994-E-腐烂的橘子(Rotting Oranges)

class Solution {

    public int orangesRotting(int[][] grid) {
        int[] dr = new int[]{-1, 0, 1, 0};
        int[] dc = new int[]{0, -1, 0, 1};
        int row = grid.length;
        int clos = grid[0].length;
        int ans = 0;
        Queue<Integer> queue = new LinkedList<>();
        HashMap<Integer,Integer> hash = new HashMap<>();
        for(int r = 0; r < row; r++ ){
            for(int c = 0; c < clos; c++){
                if(grid[r][c] == 2){
                    int node = r * clos + c;
                    queue.offer(node);
                    hash.put(node, 0);
                }
            }
        }

        //bfs
        while(!queue.isEmpty()){
            int node = queue.poll();
            int r = node / clos;
            int c = node % clos;
            for(int k = 0; k < 4; k++){
                int nr = r + dr[k];
                int nc = c + dc[k];
                if(nr >=0 && nr < row && nc>=0 && nc < clos && grid[nr][nc] == 1){
                    grid[nr][nc]=2;
                    int snode = nr * clos + nc;
                    queue.offer(snode);
                    //ans = hash.get(node);
                    hash.put(snode, hash.get(node)+1);
                    ans = hash.get(snode);
                }
            }
        }

        for(int[] r:grid){
            for(int c:r){
                if(c==1){
                    return -1;
                }
            }
        }

        return ans;
    }
}