Island Perimeter - Hash Table - Easy - LeetCode
💻 coding

Island Perimeter - Hash Table - Easy - LeetCode

1 min read 231 words
1 min read
ShareWhatsAppPost on X
  • 1The problem involves calculating the perimeter of a single island represented in a grid of land and water cells.
  • 2The perimeter is calculated using the formula: islands * 4 - neighbours * 2, where neighbours are adjacent land cells.
  • 3The solution has a time complexity of O(n) and a space complexity of O(1), efficiently processing the grid.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The problem involves calculating the perimeter of a single island represented in a grid of land and water cells."

Island Perimeter - Hash Table - Easy - LeetCode

ou are given row x col grid representing a map where grid[i][j] = 1 represents land and grid[i][j] = 0 represents water.

Grid cells are connected horizontally/vertically (not diagonally). The grid is completely surrounded by water, and there is exactly one island (i.e., one or more connected land cells).

The island doesn't have "lakes", meaning the water inside isn't connected to the water around the island. One cell is a square with side length 1. The grid is rectangular, width and height don't exceed 100. Determine the perimeter of the island.

Example 1:

Input: grid = [[0,1,0,0],[1,1,1,0],[0,1,0,0],[1,1,0,0]] Output: 16 Explanation: The perimeter is the 16 yellow stripes in the image above. Example 2:

Input: grid = [[1]] Output: 4 Example 3:

Input: grid = [[1,0]] Output: 4

Constraints:

row == grid.length col == grid[i].length 1 <= row, col <= 100 grid[i][j] is 0 or 1.

public class Solution {
 public int IslandPerimeter(int[][] grid) {
 int islands = 0;
 int neighbours = 0;
 for(int i=0;i<grid.Length;i++){
 for(int j=0;j<grid[0].Length;j++){
 if(grid[i][j]==0){
 continue;
 }
 
 islands++;
 if(i<grid.Length-1){
 if(grid[i+1][j]==1){
 neighbours++;
 }
 }
 
 if(j<grid[0].Length-1){
 if(grid[i][j+1]==1){
 neighbours++;
 }
 }
 }
 }
 
 return islands*4 - neighbours*2;
 }
}

Time Complexity: O(n)

Space Complexity: O(1)

loop over the matrix and count the number of islands; if the current dot is an island, count if it has any right neighbours or down neighbours; the result is islands * 4 - neighbours * 2

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 28 September 2020 · 1 min read · 231 words

Part of AskGif Blog · coding

You might also like