764. Largest Plus Sign
Problem Description
You are tasked with finding the largest '+' shape that can be formed in a binary grid, where '1's represent a potential part of the '+' and '0's represent a space where part of a '+' cannot exist. The grid is n x n
in size, and originally it's filled with '1's. However, there are some coordinates provided in the mines
array which represent where '0s' will be, thus creating obstacles for forming the '+'. The order of the plus sign is defined as the length from its center to its edge, which means the total size will be related to the order as order*2 - 1
. The goal is to return the highest order of a '+' sign found in this grid. If no '+' can be formed, the function should return 0.
Intuition
When tasked with finding the largest axis-aligned plus sign of '1's in a modified binary grid, we need to think about what defines a plus sign. For a plus sign to exist at any location, there must be uninterrupted sequences of '1's extending to the left, right, up, and down from that center '1'.
The intuition behind finding the largest plus sign involves assessing each potential center for how far in each of the four directions (up, down, left, and right) we can go before hitting a '0' or the edge of the grid.
We use dynamic programming to avoid redundant calculations. A matrix dp
of the same dimensions as grid
is created. Each element in dp
will eventually represent the largest order of a plus sign that can have that cell as its center.
We initialize dp
with 'n', representing the maximum possible order for a plus sign in an n x n
grid. We then iterate through the indices in the mines
array, setting the corresponding dp
cell to '0', indicating an obstacle.
Next, we make four passes through the grid for each cell (i, j)
:
- From left to right: if there's no obstacle, we increase the count
left
, otherwise we start the count over. We then setdp[i][j]
to the minimum of its current value (which will be at leastleft
). - From right to left, following the same logic with the variable
right
. - From top to bottom and bottom to top: the same process follows for the variables
up
, anddown
.
After this process, we know for any cell in dp
, it holds the minimum possible extension in all four directions, effectively giving us the order of the largest plus sign centered at that cell.
Finally, we look for the maximum value in the dp
array. This value is the order of the largest axis-aligned plus sign of '1's in the grid.
Learn more about Dynamic Programming patterns.
Solution Approach
To implement the solution for finding the largest plus sign, we utilize the dynamic programming technique that involves creating a 2D array called dp
that serves as a table to store intermediate results. This is crucial because it will help in reducing the complexity by storing the achievable order of a plus sign at each (i, j) position, thus avoiding recomputation.
Here's the step-by-step approach:
-
Initialize the
dp
matrix, withn
rows andn
columns, setting every cell ton
. This pre-population assumes the plus sign can extend to the edge of the grid in every direction from any cell. -
Iterate over the
mines
list, which contains the positions that must be set to '0'. Themines
list modifies thedp
matrix by settingdp[x][y] = 0
for every[x, y]
pair, showing that no plus sign can be centered at these 'mined' cells. -
To calculate the order of the largest plus sign that can be centered at each cell, iterate over each row and column four times, once for each direction: left, right, up, and down.
-
For left and rightward checks, we loop through each row, once from left to right and then in the reverse direction. If
dp[i][j]
is not zero, we incrementleft
orright
as appropriate, showing that the arm of the plus can extend in that direction. -
Similarly, for upwards and downwards, we loop through each column in both top-to-bottom and bottom-to-top directions, incrementing
up
ordown
ifdp[j][i]
is not zero. -
At each step, we update the
dp
matrix by assigning the minimum value amongst the currentdp
value and the 'left', 'right', 'up', or 'down' counters.
-
This process ensures that dp[i][j]
holds the order of the largest plus sign for which the cell (i, j) can be the center, considering the constraints in all four directions.
- After the conclusion of the loops, scan through the
dp
matrix to find the maximum value. This value is the order of the largest plus sign that can be found in the grid.
The specific data structure used here is a 2D list (list of lists) for the dp
table, enabling direct access to each cell for its up, down, left, right sequence calculations.
In terms of the algorithm, the solution employs an efficient linear scan of rows and columns, taking O(n^2)
time — a significant optimization over brute force approaches that would require O(n^3)
or greater. It effectively combines the principles of dynamic programming with those of matrix traversal, effectively reducing the problem to simple arithmetic and comparisons.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's say we have a 3x3 grid (n = 3
) and the mines
array is [[1, 1]]
, meaning there will be a '0' in the center of the grid.
Here's a walkthrough of applying the solution step-by-step to this grid:
- We initialize the
dp
matrix to represent the maximum possible order of the plus sign in a 3x3 grid:
dp = [[3, 3, 3], [3, 3, 3], [3, 3, 3]]
- We then apply the
mines
: since we have a mine at[1, 1]
, we setdp[1][1]
to0
, indicating no plus can be centered here.
dp = [[3, 3, 3], [3, 0, 3], [3, 3, 3]]
-
Next, we make passes to calculate the left, right, up, and down order for each cell:
-
Left to right pass: We count the number of consecutive '1's from the left for each cell in a row and update the
dp
value.After the left to right pass:
dp = [[1, 2, 3], [1, 0, 3], [1, 2, 3]]
-
Right to left pass: Similar to above, but from the right.
After the right to left pass:
dp = [[1, 2, 3], [1, 0, 1], [1, 2, 3]]
(We only update if the value of the current cell is greater than the count.)
-
Top to bottom pass: We do the same vertically.
After top to bottom pass:
dp = [[1, 1, 1], [1, 0, 1], [1, 2, 1]]
-
Bottom to top pass: And finally, from bottom to top.
After bottom to top pass:
dp = [[1, 1, 1], [1, 0, 1], [1, 1, 1]]
-
-
Now
dp
contains the order of the largest '+' that can be formed with each cell as its center. We scan throughdp
to find the maximum value which will give us the order of the largest '+'. In our example:- The maximum value in
dp
is1
, which means the largest possible plus sign order is1
, and the size of this plus sign would be1*2 - 1 = 1
. Hence, the largest plus sign we can form has arms of length1
.
- The maximum value in
To summarize, for this 3x3 grid with a mine at the center, the largest '+' sign we can form has an order of 1
, extending a single cell in each direction from its center.
Solution Implementation
1from typing import List
2
3class Solution:
4 def orderOfLargestPlusSign(self, n: int, mines: List[List[int]]) -> int:
5 # Initialize a 2D DP array with n rows and columns filled with value n.
6 # This represents the maximum size of the plus sign at each cell assuming no mines are present.
7 dp = [[n] * n for _ in range(n)]
8
9 # Set each mine location in the DP array to 0 because these locations cannot be part of a plus sign.
10 for mine in mines:
11 x, y = mine
12 dp[x][y] = 0
13
14 # Calculate the order of the largest plus sign considering mines.
15 for i in range(n):
16 # Initialize counts for the left, right, up, and down arms of the plus sign.
17 left = right = up = down = 0
18 # Iterate over rows and columns in both the forward and reverse direction.
19 for j, k in zip(range(n), reversed(range(n))):
20 # If there's no mine, increment counts; else reset to 0.
21 left = left + 1 if dp[i][j] else 0
22 right = right + 1 if dp[i][k] else 0
23 up = up + 1 if dp[j][i] else 0
24 down = down + 1 if dp[k][i] else 0
25
26 # Update the DP array with the minimum arm length seen so far for each direction.
27 # This ensures that the plus sign is only as long as the shortest arm length.
28 dp[i][j] = min(dp[i][j], left)
29 dp[i][k] = min(dp[i][k], right)
30 dp[j][i] = min(dp[j][i], up)
31 dp[k][i] = min(dp[k][i], down)
32
33 # Find the largest value in the DP array, which corresponds to the order of the largest plus sign.
34 return max(max(row) for row in dp)
35
1import java.util.Arrays;
2
3public class Solution {
4
5 public int orderOfLargestPlusSign(int n, int[][] mines) {
6 // Create a DP array and initialize each cell with the maximum size n
7 int[][] dp = new int[n][n];
8 for (int[] row : dp) {
9 Arrays.fill(row, n);
10 }
11
12 // Set cells that are mines to 0
13 for (int[] mine : mines) {
14 dp[mine[0]][mine[1]] = 0;
15 }
16
17 // Iterate over the matrix to find the maximal order of the plus sign at each point
18 for (int i = 0; i < n; ++i) {
19 int left = 0, right = 0, up = 0, down = 0;
20 for (int j = 0, k = n - 1; j < n; ++j, --k) {
21 // Count continuous ones from the left to right in a row
22 left = dp[i][j] > 0 ? left + 1 : 0;
23 // Count continuous ones from the right to left in a row
24 right = dp[i][k] > 0 ? right + 1 : 0;
25 // Count continuous ones from top to bottom in a column
26 up = dp[j][i] > 0 ? up + 1 : 0;
27 // Count continuous ones from bottom to top in a column
28 down = dp[k][i] > 0 ? down + 1 : 0;
29
30 // Update DP for the arms length of the plus sign, consider previous computations too
31 dp[i][j] = Math.min(dp[i][j], left);
32 dp[i][k] = Math.min(dp[i][k], right);
33 dp[j][i] = Math.min(dp[j][i], up);
34 dp[k][i] = Math.min(dp[k][i], down);
35 }
36 }
37
38 // Find the largest plus sign order from the DP array
39 int maxOrder = Arrays.stream(dp)
40 .flatMapToInt(Arrays::stream)
41 .max()
42 .getAsInt();
43
44 return maxOrder;
45 }
46}
47
1class Solution {
2public:
3 // This function calculates the order of the largest plus sign that can be found
4 // in a square binary grid. Mines are represented by zeros in the grid.
5 int orderOfLargestPlusSign(int n, vector<vector<int>>& mines) {
6 // Initialize a dp (dynamic programming) matrix filled with 'n' which is the maximum possible arm length
7 vector<vector<int>> dpMatrix(n, vector<int>(n, n));
8
9 // Setting up the mined locations in the dp matrix to 0
10 for (auto& mine : mines) {
11 dpMatrix[mine[0]][mine[1]] = 0;
12 }
13
14 // Iterate over the matrix to calculate the arm length of the plus sign in all directions
15 for (int i = 0; i < n; ++i) {
16 int left = 0, right = 0, up = 0, down = 0;
17 for (int j = 0, k = n - 1; j < n; ++j, --k) {
18 // Calculate continuous arm length for left and right directions
19 left = (dpMatrix[i][j] != 0) ? left + 1 : 0;
20 right = (dpMatrix[i][k] != 0) ? right + 1 : 0;
21
22 // Calculate continuous arm length for up and down directions
23 up = (dpMatrix[j][i] != 0) ? up + 1 : 0;
24 down = (dpMatrix[k][i] != 0) ? down + 1 : 0;
25
26 // The minimum of the 4 directions should be taken for the true arm length
27 dpMatrix[i][j] = min(dpMatrix[i][j], left);
28 dpMatrix[i][k] = min(dpMatrix[i][k], right);
29 dpMatrix[j][i] = min(dpMatrix[j][i], up);
30 dpMatrix[k][i] = min(dpMatrix[k][i], down);
31 }
32 }
33
34 // Find the maximum arm length from the dp matrix, which is the order of the largest plus sign
35 int maxOrder = 0;
36 for (auto& row : dpMatrix) {
37 maxOrder = max(maxOrder, *max_element(row.begin(), row.end()));
38 }
39 return maxOrder;
40 }
41};
42
1function orderOfLargestPlusSign(n: number, mines: number[][]): number {
2 // Initialize a dp (dynamic programming) matrix filled with 'n', the maximum possible arm length
3 const dpMatrix: number[][] = Array.from({ length: n }, () => Array(n).fill(n));
4
5 // Setting up the mined locations in the dp matrix to 0
6 mines.forEach(mine => {
7 dpMatrix[mine[0]][mine[1]] = 0;
8 });
9
10 // Iterate over the matrix to calculate the arm length of plus signs in all directions
11 for (let i = 0; i < n; i++) {
12 let left = 0, right = 0, up = 0, down = 0;
13 for (let j = 0, k = n - 1; j < n; j++, k--) {
14 // Calculate continuous arm length for left and right directions
15 left = (dpMatrix[i][j] !== 0) ? left + 1 : 0;
16 right = (dpMatrix[i][k] !== 0) ? right + 1 : 0;
17
18 // Calculate continuous arm length for up and down directions
19 up = (dpMatrix[j][i] !== 0) ? up + 1 : 0;
20 down = (dpMatrix[k][i] !== 0) ? down + 1 : 0;
21
22 // The minimum of the 4 directions should be taken for the true arm length
23 dpMatrix[i][j] = Math.min(dpMatrix[i][j], left);
24 dpMatrix[i][k] = Math.min(dpMatrix[i][k], right);
25 dpMatrix[j][i] = Math.min(dpMatrix[j][i], up);
26 dpMatrix[k][i] = Math.min(dpMatrix[k][i], down);
27 }
28 }
29
30 // Find the maximum arm length from the dp matrix, which is the order of the largest plus sign
31 let maxOrder = 0;
32 dpMatrix.forEach((row) => {
33 maxOrder = Math.max(maxOrder, Math.max(...row));
34 });
35 return maxOrder;
36}
37
Time and Space Complexity
Time Complexity
The time complexity of the given code can be analyzed by breaking down each part of the code:
- Initializing the
dp
matrix with the sizen x n
takesO(n^2)
time. - The first loop to set the mines takes
O(m)
time, wherem
is the number of mines. - The nested loops to calculate the
left
,right
,up
, anddown
values takeO(n^2)
time. For each of then
rows andn
columns, the loop runsn
times. - The final nested loops also run in
O(n^2)
time, since it involves traversing thedp
matrix again to calculate the minimum for each position and also to find the maximum order for plus sign at the end.
Overall, the time complexity is dominated by the nested loops, so the final time complexity is O(n^2)
.
Space Complexity
The space complexity is determined by the extra space used by the algorithm, which is:
- The
dp
matrix that requiresO(n^2)
space. - Four variables
left
,right
,up
, anddown
are used but they only addO(1)
space.
Thus, the space complexity of the algorithm is O(n^2)
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following shows the order of node visit in a Breadth-first Search?
Recommended Readings
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!