摘要:題目解答這題思路很重要,一定要理清和的參數之間的關系,那么就事半功倍了。表示從左往右到,出現連續的的第一個座標,表示從右往左到出現連續的的最后一個座標,表示從上到下的高度。見上述例子,保證了前面的數組是正方形且沒有的最小矩形,
題目:
Given a 2D binary matrix filled with 0"s and 1"s, find the largest rectangle containing all ones and return its area.
解答:
這題思路很重要,一定要理清previous row和current row的參數之間的關系,那么就事半功倍了。left[]表示從左往右到i,出現連續‘1’的string的第一個座標,right[]表示從右往左到i, 出現連續‘1’的string的最后一個座標,height[]表示從上到下的高度。那么用(left[j] - right[j] + 1)(橫長) * height[j]就是可能的最大的矩形了。
public int maximalRectangle(char[][] matrix) { if (matrix == null || matrix.length == 0 || matrix[0].length == 0) { return 0; } int max = 0; int m = matrix.length, n = matrix[0].length; int[] left = new int[n]; int[] right = new int[n]; int[] height = new int[n]; Arrays.fill(left, 0); Arrays.fill(height, 0); Arrays.fill(right, n - 1); for (int i = 0; i < m; i++) { int curLeft = 0, curRight = n - 1; for (int j = 0; j < n; j++) { if (matrix[i][j] == "1") height[j]++; else height[j] = 0; } //1 1 0 1 //1 1 0 1 //1 1 1 1 for (int j = 0; j < n; j++) { if (matrix[i][j] == "1") { //見上述例子,left[j]保證了前面的數組是正方形且沒有0的最小矩形, //All the 3 variables left, right, and height can be determined by the information from previous row, and also information from the current row. left[j] = Math.max(left[j], curLeft); } else { left[j] = 0; curLeft = j + 1; } } for (int j = n - 1; j >= 0; j--) { if (matrix[i][j] == "1") { right[j] = Math.min(right[j], curRight); } else { right[j] = n - 1; curRight = j - 1; } } for (int j = 0; j < n; j++) { max = Math.max(max, (right[j] - left[j] + 1) * height[j]); } } return max; }
文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。
轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/64860.html
摘要:題目要求輸入一個二維數組,其中代表一個小正方形,求找到數組中最大的矩形面積。思路一用二維數組存儲臨時值的一個思路就是通過存儲換效率。從而省去了許多重復遍歷,提高效率。這里我使用兩個二維數組來分別記錄到為止的最大長度和最大高度。 題目要求 Given a 2D binary matrix filled with 0s and 1s, find the largest rectangle ...
摘要:對于一個矩形,可以用最高可能的高度來唯一標記該矩形。剩下的寬度由該最高高度所表示矩形的最左邊界和最右邊界得出。 Given a 2D binary matrix filled with 0s and 1s, find the largest rectangle containing only 1s and return its area.For example, given the ...
摘要:類似這種需要遍歷矩陣或數組來判斷,或者計算最優解最短步數,最大距離,的題目,都可以使用遞歸。 Problem Given a 2D binary matrix filled with 0s and 1s, find the largest square containing all 1s and return its area. Example For example, given t...
摘要:但如果它的上方,左方和左上方為右下角的正方形的大小不一樣,合起來就會缺了某個角落,這時候只能取那三個正方形中最小的正方形的邊長加了。假設表示以為右下角的正方形的最大邊長,則有當然,如果這個點在原矩陣中本身就是的話,那肯定就是了。 Maximal Square Given a 2D binary matrix filled with 0s and 1s, find the larges...
1 0 1 0 0 1 0 1 1 1 1 1 1 1 1 1 0 0 1 0 return 4 // O(mn) space public class Solution { public int maximalSquare(char[][] matrix) { if(matrix == null || matrix.length == 0) return 0; ...
閱讀 2566·2023-04-25 18:13
閱讀 783·2021-11-22 12:10
閱讀 2978·2021-11-22 11:57
閱讀 2142·2021-11-19 11:26
閱讀 2176·2021-09-22 15:40
閱讀 1464·2021-09-03 10:28
閱讀 2707·2019-08-30 15:53
閱讀 1954·2019-08-30 15:44