Skip to content

Latest commit

 

History

History
63 lines (46 loc) · 1.8 KB

_1020. Number of Enclaves.md

File metadata and controls

63 lines (46 loc) · 1.8 KB

All prompts are owned by LeetCode. To view the prompt, click the title link above.

Back to top


First completed : June 26, 2024

Last updated : June 26, 2024


Related Topics : Array, Depth-First Search, Breadth-First Search, Union Find, Matrix

Acceptance Rate : 69.104 %


Solutions

Python

class Solution:
    def numEnclaves(self, grid: List[List[int]]) -> int:
        def removeNonEnclave(row: int, col: int) -> None :
            if not (0 <= row < len(grid)) or not (0 <= col < len(grid[0])) :
                return
            if not grid[row][col] :
                return
            
            grid[row][col] = 0

            removeNonEnclave(row + 1, col)
            removeNonEnclave(row - 1, col)
            removeNonEnclave(row, col + 1)
            removeNonEnclave(row, col - 1)

        for i in range(len(grid)) :
            if grid[i][0] :
                removeNonEnclave(i, 0)
            if grid[i][len(grid[0]) - 1] :
                removeNonEnclave(i, len(grid[0]) - 1)

        for i in range(1, len(grid[0]) - 1) :
            if grid[0][i] :
                removeNonEnclave(0, i)
            if grid[len(grid) - 1][i] :
                removeNonEnclave(len(grid) - 1, i)
        

        counter = 0
        for row in range(1, len(grid)) :
            for col in range(len(grid[0])) :
                if grid[row][col] :
                    counter += 1
        
        return counter