-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathDag.java
41 lines (28 loc) · 878 Bytes
/
Dag.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
import java.util.ArrayList;
import java.util.List;;
public class Dag {
static List<List<Integer>> res = new ArrayList<>();
public static List<List<Integer>> allPathsSourceTarget(int[][] graph) {
ArrayList<Integer> path = new ArrayList<>();
dfs(path, 0, graph);
return res;
}
public static void dfs(List<Integer> path, int i,int[][] graph) {
if (i == graph.length - 1){
path.add(i);
res.add(new ArrayList<>(path));
path.remove(path.size() - 1);
return;
}
path.add(i);
for (int j : graph[i]) {
dfs(path, j, graph);
}
path.remove(path.size() - 1);
return;
}
public static void main(String[] args) {
int[][] graph={{1,2},{3},{3},{}};
System.out.print(allPathsSourceTarget(graph));
}
}