zoukankan      html  css  js  c++  java
  • LeetCode 1020. Number of Enclaves

    原题链接在这里:https://leetcode.com/problems/number-of-enclaves/

    题目:

    Given a 2D array A, each cell is 0 (representing sea) or 1 (representing land)

    A move consists of walking from one land square 4-directionally to another land square, or off the boundary of the grid.

    Return the number of land squares in the grid for which we cannot walk off the boundary of the grid in any number of moves.

    Example 1:

    Input: [[0,0,0,0],[1,0,1,0],[0,1,1,0],[0,0,0,0]]
    Output: 3
    Explanation: 
    There are three 1s that are enclosed by 0s, and one 1 that isn't enclosed because its on the boundary.

    Example 2:

    Input: [[0,1,1,0],[0,0,1,0],[0,0,1,0],[0,0,0,0]]
    Output: 0
    Explanation: 
    All 1s are either on the boundary or can reach the boundary.

    Note:

    1. 1 <= A.length <= 500
    2. 1 <= A[i].length <= 500
    3. 0 <= A[i][j] <= 1
    4. All rows have the same size.

    题解:

    For the bondary cell, perform DFS starting from it. Convert all 1 connecting to boundary to 0.

    Iterate A again and count how many cell are still 1.

    Time Complexity: O(m*n). m = A.length. n = A[0].length.

    Space: O(m*n). stack space.

    AC Java:

     1 class Solution {
     2     public int numEnclaves(int[][] A) {
     3         if(A == null || A.length == 0){
     4             return 0;
     5         }
     6         
     7         int m = A.length;
     8         int n = A[0].length;
     9         for(int i = 0; i<m; i++){
    10             dfs(A, i, 0);
    11             dfs(A, i, n-1);
    12 
    13         }
    14         
    15         for(int j = 0; j<n; j++){
    16             dfs(A, 0, j);
    17             dfs(A, m-1, j);
    18         }
    19         
    20         int res = 0;
    21         for(int i = 0; i<m; i++){
    22             for(int j = 0; j<n; j++){
    23                 if(A[i][j] == 1){
    24                     res++;
    25                 }
    26             }
    27         }
    28         
    29         return res;
    30     }
    31     
    32     private void dfs(int [][] A, int i, int j){
    33         if(i<0 || i>=A.length || j<0 || j>=A[0].length || A[i][j]!= 1){
    34             return;
    35         }
    36         
    37         A[i][j] = 0;
    38         dfs(A, i+1, j);
    39         dfs(A, i-1, j);
    40         dfs(A, i, j+1);
    41         dfs(A, i, j-1);
    42     }
    43 }

    类似Surrounded Regions.

  • 相关阅读:
    php 下载保存文件保存到本地的两种实现方法
    MySQL select语句直接导出数据
    Go学习笔记03-附录
    Go学习笔记02-源码
    Go学习笔记01-语言
    Go语言极速入门手册
    最简单的抓取网络图片或音乐文件
    使用PHP生成PDF文档
    Oracle常用函数
    ORACLE常用数值函数、转换函数、字符串函数
  • 原文地址:https://www.cnblogs.com/Dylan-Java-NYC/p/11941498.html
Copyright © 2011-2022 走看看