Skip to content

Commit 96eb5fd

Browse files
committed
feat(0200): Number of Islands
1 parent a36f74c commit 96eb5fd

File tree

1 file changed

+64
-0
lines changed

1 file changed

+64
-0
lines changed

0200. Number of Islands.js

+64
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,64 @@
1+
// Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. You may assume all four edges of the grid are all surrounded by water.
2+
3+
// Example 1:
4+
5+
// Input:
6+
// 11110
7+
// 11010
8+
// 11000
9+
// 00000
10+
11+
// Output: 1
12+
13+
// Example 2:
14+
15+
// Input:
16+
// 11000
17+
// 11000
18+
// 00100
19+
// 00011
20+
21+
// Output: 3
22+
23+
// 1) DFS
24+
/**
25+
* @param {character[][]} grid
26+
* @return {number}
27+
*/
28+
const numIslands = function(grid) {
29+
if (!grid.length) {
30+
return 0
31+
}
32+
const n = grid.length
33+
const m = n && grid[0].length
34+
let res = 0
35+
for (let i = 0; i < n; i++) {
36+
for (let j = 0; j < m; j++) {
37+
if (grid[i][j] === '0') {
38+
continue
39+
}
40+
res++
41+
dfs(i, j)
42+
}
43+
}
44+
function dfs(i, j) {
45+
if (i < 0 || j < 0 || i === n || j === m) {
46+
return
47+
}
48+
if (grid[i][j] === '0') {
49+
return
50+
}
51+
grid[i][j] = '0'
52+
dfs(i - 1, j)
53+
dfs(i + 1, j)
54+
dfs(i, j - 1)
55+
dfs(i, j + 1)
56+
}
57+
return res
58+
}
59+
const grid = [
60+
['1', '1', '1'],
61+
['0', '1', '0'],
62+
['1', '1', '1'],
63+
]
64+
console.log(numIslands(grid))

0 commit comments

Comments
 (0)