Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 자료구조
- TDD
- OS
- Java8
- 알고리즘
- lambda
- backtracking
- java
- DP
- 그래프
- Spring
- 프로젝트
- LEVEL2
- 코틀린
- baekjoon
- 네트워크
- 자바
- 모던자바
- kotlin
- DFS
- 백준
- programmers
- 스프링
- BFS
- algorithm
- Brute-force
- 백트래킹
- back-end
- 운영체제
- 프로그래머스
Archives
- Today
- Total
요깨비's LAB
[백준, 그래프 이론, Java] P.1922 네트워크 연결 (프림) 본문
이번에는 프림 알고리즘 방식으로 풀었습니다. 이것 또한 정점과 간선을 인스턴스화 하여 풀었습니다.
import java.util.*;
class Vertax {
int id;
boolean isVisited;
List<Edge> linkedVertaxes;
public Vertax(int id) {
this.id = id;
this.isVisited = false;
this.linkedVertaxes = new ArrayList<>();
}
}
class Edge {
int toId;
int value;
public Edge(int toId, int value) {
this.toId = toId;
this.value = value;
}
}
public class Main {
public static void main(String[] args) {
Scanner scr = new Scanner(System.in);
int N = scr.nextInt();
int M = scr.nextInt();
List<Vertax> vertaxes = new ArrayList<>();
Map<Integer, Map<Integer, Integer>> edges = new HashMap<>();
for (int i = 0; i < N; i++) {
vertaxes.add(new Vertax(i));
edges.put(i, new HashMap<>());
}
for (int i = 0; i < M; i++) {
int fromId = scr.nextInt() - 1;
int toId = scr.nextInt() - 1;
int value = scr.nextInt();
Vertax from = vertaxes.get(fromId);
Vertax to = vertaxes.get(toId);
from.linkedVertaxes.add(new Edge(toId, value));
to.linkedVertaxes.add(new Edge(fromId, value));
edges.get(fromId).put(toId, value);
edges.get(toId).put(fromId, value);
}
int answer = doAlgorithm(vertaxes, vertaxes.get(0), 0);
System.out.println(answer);
}
public static int doAlgorithm(List<Vertax> vertaxes, Vertax start, int total) {
PriorityQueue<Edge> pq = new PriorityQueue<>((Edge e1, Edge e2) -> e1.value - e2.value);
start.isVisited = true;
start.linkedVertaxes.forEach((Edge e) -> {
pq.add(e);
});
while(!pq.isEmpty()) {
Edge e = pq.poll();
Vertax to = vertaxes.get(e.toId);
if(to.isVisited) {
continue;
}
to.isVisited = true;
total += e.value;
to.linkedVertaxes.forEach((Edge e1) -> {
if(!vertaxes.get(e1.toId).isVisited) {
pq.add(e1);
}
});
}
return total;
}
}
'알고리즘(Java) > 그래프 이론' 카테고리의 다른 글
[백준, 그래프 이론, Java] P.1647 도시 분할 계획 (크루스칼) (0) | 2021.04.20 |
---|---|
[백준, 그래프 이론, Java] P.2188 축사 배정(이분 매칭) (0) | 2021.04.20 |
[백준, 그래프 이론, Java] P.1197 최소 스패닝 트리 (프림) (0) | 2021.04.16 |
[백준, 그래프 이론, Java] P.1197 최소 스패닝 트리 (크루스칼) (0) | 2021.04.16 |
[백준, 그래프 이론, Java] P.1922 네트워크 연결 (크루스칼) (0) | 2021.04.16 |
Comments