As Far from Land as Possible - Problem
Given an n x n grid containing only values 0 and 1, where 0 represents water and 1 represents land, find a water cell such that its distance to the nearest land cell is maximized, and return the distance.
If no land or water exists in the grid, return -1.
The distance used in this problem is the Manhattan distance: the distance between two cells (x0, y0) and (x1, y1) is |x0 - x1| + |y0 - y1|.
Input & Output
Example 1 — Basic Grid
$
Input:
grid = [[1,0,1],[0,0,0],[1,0,1]]
›
Output:
2
💡 Note:
The center cell (1,1) is farthest from land. Distance from (1,1) to each land cell: to (0,0) = |1-0|+|1-0| = 2, to (0,2) = |1-0|+|1-2| = 2, to (2,0) = |1-2|+|1-0| = 2, to (2,2) = |1-2|+|1-2| = 2. Minimum distance is 2, which is the maximum among all water cells.
Example 2 — No Water
$
Input:
grid = [[1,0,0],[0,1,0],[0,0,1]]
›
Output:
2
💡 Note:
Water cells like (0,1) and (0,2) are distance 1 from land, but (0,2) is distance 2 from nearest land at (1,1): |0-1|+|2-1| = 1+1 = 2.
Example 3 — All Land
$
Input:
grid = [[1,1],[1,1]]
›
Output:
-1
💡 Note:
No water cells exist, so return -1 as specified in the problem.
Constraints
- n == grid.length
- n == grid[i].length
- 1 ≤ n ≤ 100
- grid[i][j] is 0 or 1
Visualization
Tap to expand
💡
Explanation
AI Ready
💡 Suggestion
Tab
to accept
Esc
to dismiss
// Output will appear here after running code