-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathNumberIsland.java
66 lines (59 loc) · 1.81 KB
/
NumberIsland.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
package SummerTrainingGFG.Graph;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
/**
* @author Vishal Singh
* 05-03-2021
*/
public class NumberIsland {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int T = Integer.parseInt(br.readLine().trim());
while (T-- > 0) {
String[] s = br.readLine().trim().split(" ");
int n = Integer.parseInt(s[0]);
int m = Integer.parseInt(s[1]);
char[][] grid = new char[n][m];
for (int i = 0; i < n; i++) {
String[] S = br.readLine().trim().split(" ");
for (int j = 0; j < m; j++) {
grid[i][j] = S[j].charAt(0);
}
}
Solution obj = new Solution();
int ans = obj.numIslands(grid);
System.out.println(ans);
}
}
}
class Solution {
public void dfs(char[][] grid, int i, int j,int n,int m){
if (i<0 || i==n || j<0 || j==m || grid[i][j] != '1'){
return;
}
grid[i][j] = '2';
dfs(grid,i-1,j,n,m);//U
dfs(grid,i-1,j+1,n,m);//UR
dfs(grid,i-1,j-1,n,m);//UL
dfs(grid,i,j+1,n,m);//R
dfs(grid,i+1,j+1,n,m);//BR
dfs(grid,i+1,j,n,m);//B
dfs(grid,i+1,j-1,n,m);//BL
dfs(grid,i,j-1,n,m);//L
}
public int numIslands(char[][] grid) {
int n = grid.length;
int ans = 0;
for (int i = 0; i < n; i++) {
int m = grid[i].length;
for (int j = 0; j < m; j++) {
if (grid[i][j] == '1') {
ans++;
dfs(grid, i, j,n,m);
}
}
}
return ans;
}
}