코딩연습이 좋아서/이론이 좋아서
Recursive, Tree, Graph(DFS, BFS 기초) - 경로탐색(인접리스트, ArrayList)
zoaseo
2024. 12. 13. 00:26
방향그래프가 주어지면 1번 정점에서 N번 정점으로 가는 모든 경로의 가지 수를 출력하는 프로그램을 작성하세요.
첫째 줄에는 정점의 수 N(1<=N<=20)와 간선의 수 M가 주어진다. 그 다음부터 M줄에 걸쳐 연결정보가 주어진다.
입력예제
5 9
1 2
1 3
1 4
2 1
2 3
2 5
3 4
4 2
4 5
출력예제
6
import java.util.ArrayList;
import java.util.List;
import java.util.Scanner;
public class Main {
static int n;
static int m;
static int answer = 0;
static int[] ch;
static List<List<Integer>> graph;
public static void DFS(int v) {
if (v == n) answer++;
else {
for (int nv : graph.get(v)) {
if (ch[nv] == 0) {
ch[nv] = 1;
DFS(nv);
ch[nv] = 0;
}
}
}
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
n = sc.nextInt();
m = sc.nextInt();
graph = new ArrayList<>();
for (int i = 0; i <= n; i++) {
graph.add(new ArrayList<>());
}
ch = new int[n + 1];
for (int i = 0; i < m; i++) {
int a = sc.nextInt();
int b = sc.nextInt();
graph.get(a).add(b);
}
ch[1] = 1;
DFS(1);
System.out.println(answer);
}
}
-탐색해야할 수가 많아지면 인접행렬은 비효율적이다. 리스트를 활용하면 방문했는지만 체크하면 된다. 일일이 다 확인할 필요없다.