Skip to content

Commit 64b63dd

Browse files
Create 1905-count-sub-islands.java
This java translation follows the python solution as closely as possible. There are 2 changes which have been made to make the python solution work in java. The first change is that the class RecursiveBiFunction is defined. This class exists so that the dfs lambda expression may refer to itself. The second change is that the visit set contains flattened integer coordinates instead of tuples. This change is made because tuples do not exist in java, and using an int array would not provide the correct behavior as int arrays compare themselves by not by value, but by reference.
1 parent 0c72347 commit 64b63dd

File tree

1 file changed

+42
-0
lines changed

1 file changed

+42
-0
lines changed

java/1905-count-sub-islands.java

+42
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,42 @@
1+
class Solution {
2+
class RecursiveBiFunction<A, B, C> {
3+
BiFunction<A, B, C> func;
4+
}
5+
6+
public int countSubIslands(final int[][] grid1, final int[][] grid2) {
7+
final int ROWS = grid1.length, COLS = grid1[0].length;
8+
final Set<Integer> visit = new HashSet<>();
9+
10+
final RecursiveBiFunction<Integer, Integer, Boolean> dfs = new RecursiveBiFunction<>();
11+
dfs.func = (r, c) -> {
12+
int flatCoord = r*COLS + c;
13+
if(
14+
r < 0
15+
|| c < 0
16+
|| r == ROWS
17+
|| c == COLS
18+
|| grid2[r][c] == 0
19+
|| visit.contains(flatCoord)
20+
)
21+
return true;
22+
23+
visit.add(flatCoord);
24+
boolean res = true;
25+
if(grid1[r][c] == 0)
26+
res = false;
27+
28+
res = dfs.func.apply(r - 1, c) && res;
29+
res = dfs.func.apply(r + 1, c) && res;
30+
res = dfs.func.apply(r, c - 1) && res;
31+
res = dfs.func.apply(r, c + 1) && res;
32+
return res;
33+
};
34+
35+
int count = 0;
36+
for(int r = 0; r < ROWS; r++)
37+
for(int c = 0; c < COLS; c++)
38+
if(grid2[r][c] != 0 && !visit.contains(r*COLS + c) && dfs.func.apply(r, c))
39+
count += 1;
40+
return count;
41+
}
42+
}

0 commit comments

Comments
 (0)