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
- 추상 클래스
- 와일드카드
- 객체 지향
- enum
- inheritance
- java
- Encapsulation
- 제네릭
- Final
- nextInt
- 캡슐화
- 객체지향
- 열거형
- this
- 17472
- 백준
- 최소신장트리
- 다형성
- 추상화
- 프림알고리즘
- 생성자
- 내부 클래스
- Scanner
- 인터페이스
- 상속
- 버퍼비우기
- abstract
- polymorphism
- python
Archives
- Today
- Total
쫑쫑이의 블로그
백준 1647 도시 분할 계획 Java [최소스패닝트리, 프림] 본문
https://www.acmicpc.net/problem/1647
최소 신장 트리(MST) 문제이다
문제 조건에서 2개의 마을로 분리한다고 했기 때문에
전체 가중치를 구하고 가중치 중에서 가장 큰 값을 빼주면 된다
import java.io.*;
import java.util.*;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
int N = Integer.parseInt(st.nextToken());
int M = Integer.parseInt(st.nextToken());
ArrayList<int[]>[] routes = new ArrayList[N+1];
for (int n = 0; n <= N; n++) {
routes[n] = new ArrayList<>();
}
for (int m = 0; m < M; m++) {
st = new StringTokenizer(br.readLine());
int A = Integer.parseInt(st.nextToken());
int B = Integer.parseInt(st.nextToken());
int C = Integer.parseInt(st.nextToken());
routes[A].add(new int[]{B, C});
routes[B].add(new int[]{A, C});
}
boolean[] vtd = new boolean[N + 1];
int count = N;
int cost = 0;
int max_cost = 0;
PriorityQueue<int[]> queue = new PriorityQueue<>(Comparator.comparingInt(o -> o[1]));
queue.add(new int[]{1, 0});
while (count > 0 && !queue.isEmpty()) {
int[] now = queue.poll();
if (vtd[now[0]]) continue;
vtd[now[0]] = true;
cost += now[1];
max_cost = Math.max(now[1], max_cost);
count--;
for (int[] route : routes[now[0]]) {
if (!vtd[route[0]]) queue.add(route);
}
}
System.out.println(cost-max_cost);
}
}
프림알고리즘이 느리기 때문에 시간을 줄여보려고 정점 1개만 방문하지 않게 로직을 짜서 많이 틀렸다
처음엔 시작점을 1로 고정해놓고 1개만 방문하지 않게 로직을 짰다
시작점을 방문하지 않을 경우를 고려하지 않아서 틀린줄알고
간선 중 가중치 최소값을 시작점으로 잡고 했는데도 틀렸다
결국엔 정석적으로 모두 구해서 최대값을 빼버렸다
'알고리즘 > 백준' 카테고리의 다른 글
백준 1005 ACM Craft Java [위상정렬] (0) | 2022.11.07 |
---|---|
백준 2623 음악프로그램 Java [위상정렬] (0) | 2022.11.06 |
백준 1197 최소 스패닝 트리 Java [최소스패닝트리, 프림] (0) | 2022.10.27 |
백준 1202 보석 도둑 Java [그리디, 우선순위큐] (1) | 2022.10.24 |
백준 17404 RGB거리 2 Java [DP] (0) | 2022.10.23 |