标签:
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 0Return 4.
动态规划
class Solution {
public:
int maximalSquare(vector<vector<char>>& matrix) {
if(matrix.empty() || matrix[0].empty()) return 0;
int maxSize = 0;
vector<vector<int>> m(matrix.size(), vector<int>(matrix[0].size(), 0));
for(int r = 0 ; r < m.size() ; ++r) {
for(int c = 0 ; c < m[0].size() ; ++c) {
m[r][c] = matrix[r][c]-'0';
if(r > 0 && c > 0 && m[r][c] == 1) {
m[r][c] += min(m[r-1][c], min(m[r][c-1], m[r-1][c-1]));
}
maxSize = max(maxSize, m[r][c]);
}
}
return maxSize*maxSize;
}
};版权声明:本文为博主原创文章,未经博主允许不得转载。
标签:
原文地址:http://blog.csdn.net/walker19900515/article/details/46722049