摘要:題目解答第一眼看這道題以為是個搜索問題,所以用解了一下發現邊界并沒有辦法很好地限定成一個,所以就放棄了這個解法。
題目:
Given a 2D binary matrix filled with 0"s and 1"s, find the largest square containing all 1"s and return its area.
For example, given the following matrix:
1 0 1 0 0
1 0 1 1 1
1 1 1 1 1
1 0 0 1 0
Return 4.
解答:
第一眼看這道題以為是個搜索問題,所以用dfs解了一下發現邊界并沒有辦法很好地限定成一個square,所以就放棄了這個解法。
可行的解法是很巧妙的:以這個square的最右下角的位置作為存儲點f(i, j),當matrix(i, j)是1的時候,f(i, j) = min{f(i - 1, j - 1), f(i - 1, j), f(i, j -1)}. 這是因為如果這是一個square,那么構成這個square的最基本條件就是跟它相鄰的邊的最小所在square.所以一個square的f值如下:
1 1 1 1 : 1 1 1 1
1 1 1 1 : 1 2 2 2
1 1 1 1 : 1 2 3 3
1 1 1 1 : 1 2 3 4
1 1 0 1 : 1 1 0 1
1 1 1 1 : 1 2 1 1
1 1 1 0 : 1 2 2 0
1 1 1 0 : 1 2 3 0
所以程序如下:
public class Solution { //State: f[i][j] is max length of matrix until (i, j); //Function: f[i][j] = min(f[i - 1][j - 1], f[i][j - 1], f[i - 1][j]) + 1 if matrix[i - 1][j - 1] == "1"; //Initialize: f[0][0] = 0; //Result: f[matrix.length][matrix[0].length]; public int maximalSquare(char[][] matrix) { if (matrix == null || matrix.length == 0 || matrix[0].length == 0) { return 0; } int m = matrix.length, n = matrix[0].length; int[][] f = new int[m + 1][n + 1]; int max = 0; for (int i = 1; i <= m; i++) { for (int j = 1; j <= n; j++) { if (matrix[i - 1][j - 1] == "1") { f[i][j] = Math.min(f[i - 1][j - 1], Math.min(f[i][j - 1], f[i - 1][j])) + 1; max = Math.max(max, f[i][j]); } } } return max * max; } }
文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。
轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/64818.html
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; ...
摘要:但如果它的上方,左方和左上方為右下角的正方形的大小不一樣,合起來就會缺了某個角落,這時候只能取那三個正方形中最小的正方形的邊長加了。假設表示以為右下角的正方形的最大邊長,則有當然,如果這個點在原矩陣中本身就是的話,那肯定就是了。 Maximal Square Given a 2D binary matrix filled with 0s and 1s, find the larges...
摘要:類似這種需要遍歷矩陣或數組來判斷,或者計算最優解最短步數,最大距離,的題目,都可以使用遞歸。 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...
摘要:題目要求輸入一個二維數組,其中代表一個小正方形,求找到數組中最大的矩形面積。思路一用二維數組存儲臨時值的一個思路就是通過存儲換效率。從而省去了許多重復遍歷,提高效率。這里我使用兩個二維數組來分別記錄到為止的最大長度和最大高度。 題目要求 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 co...
閱讀 3012·2021-11-22 12:06
閱讀 599·2021-09-03 10:29
閱讀 6526·2021-09-02 09:52
閱讀 2013·2019-08-30 15:52
閱讀 3411·2019-08-29 16:39
閱讀 1191·2019-08-29 15:35
閱讀 2061·2019-08-29 15:17
閱讀 1417·2019-08-29 11:17