zoukankan      html  css  js  c++  java
  • [LeetCode] Maximal Square

    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.

    解题思路

    1) Construct a sum matrix S[R][C] for the given M[R][C].
         a) Copy first row and first columns as it is from M[][] to S[][]
         b) For other entries, use following expressions to construct S[][]
             If M[i][j] is 1 then
                S[i][j] = min(S[i][j-1], S[i-1][j], S[i-1][j-1]) + 1
             Else /*If M[i][j] is 0*/
                S[i][j] = 0
    2) Find the maximum entry in S[R][C]
    3) Using the value and coordinates of maximum entry in S[i], print 
       sub-matrix of M[][]

    更具体的解题思路见GeeksforGeeks

    实现代码

    class Solution {
    public:
        int maximalSquare(vector<vector<char>>& matrix) {
            if (matrix.empty())
            {
                return 0;
            }
            int row = matrix.size();
            int col = matrix[0].size();
            vector<vector<int>> s(row, vector<int>(col, 0));
            for (int i = 0; i < row; i++)
            {
                if (matrix[i][0] == '1')
                {
                    s[i][0] = 1;
                }
            }
    
            for (int i = 0; i < col; i++)
            {
                if (matrix[0][i] == '1')
                {
                    s[0][i] = 1;
                }
            }
    
            for (int i = 1; i < row; i++)
            {
                for (int j = 1; j < col; j++)
                {
                    if (matrix[i][j] == '1')
                    {
                        s[i][j] = min(s[i-1][j], min(s[i][j-1], s[i-1][j-1])) + 1;
                    }
                    else
                    {
                        s[i][j] = 0;
                    }
                }
            }
    
            int width = 0;
            for (int i = 0; i < row; i++)
            {
                for (int j = 0; j < col; j++)
                {
                    width = max(width, s[i][j]);
                }
            }
    
            return width * width;
        }
    };
  • 相关阅读:
    JVM概论
    设计模式之工厂模式
    Java基础之多线程简述
    设计模式之单例模式
    设计模式之模板方法模式
    设计模式之适配器模式
    设计模式之策略模式
    机器学习浅析之最优解问题(二)
    MapReduce架构与生命周期
    Hadoop系列之实验环境搭建
  • 原文地址:https://www.cnblogs.com/mengfanrong/p/5153783.html
Copyright © 2011-2022 走看看