1631. Path With Minimum Effort
You are a hiker preparing for an upcoming hike. You are given heights
, a 2D array of size rows x columns
, where heights[row][col]
represents the height of cell (row, col)
. You are situated in the top-left cell, (0, 0)
, and you hope to travel to the bottom-right cell, (rows-1, columns-1)
(i.e., 0-indexed). You can move up, down, left, or right, and you wish to find a route that requires the minimum effort.
A route's effort is the maximum absolute difference in heights between two consecutive cells of the route.
Return the minimum effort required to travel from the top-left cell to the bottom-right cell.
Example 1:
Input: heights = [[1,2,2],[3,8,2],[5,3,5]]
Output: 2
Explanation: The route of [1,3,5,3,5] has a maximum absolute difference of 2 in consecutive cells.
This is better than the route of [1,2,2,2,5], where the maximum absolute difference is 3.
Example 2:
Input: heights = [[1,2,3],[3,8,4],[5,3,5]]
Output: 1
Explanation: The route of [1,2,3,4,5] has a maximum absolute difference of 1 in consecutive cells, which is better than route [1,3,5,3,5].
Example 3:
Input: heights = [[1,2,1,1,1],[1,2,1,2,1],[1,2,1,2,1],[1,2,1,2,1],[1,1,1,2,1]]
Output: 0
Explanation: This route does not require any effort.
Constraints:
rows == heights.length
columns == heights[i].length
1 <= rows, columns <= 100
1 <= heights[i][j] <= 106
Solution:
import java.util.PriorityQueue;
class Solution {
public int minimumEffortPath(int[][] heights) {
int rows = heights.length;
int cols = heights[0].length;
// Directions for moving up, down, left, right
int[][] directions = {{0, 1}, {1, 0}, {0, -1}, {-1, 0}};
// Min-heap to store {effort, row, col}
PriorityQueue<int[]> pq = new PriorityQueue<>((a, b) -> a[0] - b[0]);
// Distance array to keep track of minimum effort to reach each cell
int[][] effort = new int[rows][cols];
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
effort[i][j] = Integer.MAX_VALUE;
}
}
effort[0][0] = 0;
// Start with the top-left corner
pq.offer(new int[]{0, 0, 0}); // {effort, row, col}
while (!pq.isEmpty()) {
int[] current = pq.poll();
int currEffort = current[0];
int row = current[1];
int col = current[2];
// If we reached the bottom-right corner, return the effort
if (row == rows - 1 && col == cols - 1) {
return currEffort;
}
// Explore neighbors
for (int[] dir : directions) {
int newRow = row + dir[0];
int newCol = col + dir[1];
if (newRow >= 0 && newRow < rows && newCol >= 0 && newCol < cols) {
// Calculate the effort to move to the new cell
int nextEffort = Math.max(currEffort, Math.abs(heights[newRow][newCol] - heights[row][col]));
// If this path offers a smaller effort, update and add to the queue
if (nextEffort < effort[newRow][newCol]) {
effort[newRow][newCol] = nextEffort;
pq.offer(new int[]{nextEffort, newRow, newCol});
}
}
}
}
return 0; // This line will never be reached
}
}
// TC: O(n*mlogn*m)
// SC: O(n*m)