https://www.acmicpc.net/problem/1939
1939번: 중량제한
첫째 줄에 N, M(1 ≤ M ≤ 100,000)이 주어진다. 다음 M개의 줄에는 다리에 대한 정보를 나타내는 세 정수 A, B(1 ≤ A, B ≤ N), C(1 ≤ C ≤ 1,000,000,000)가 주어진다. 이는 A번 섬과 B번 섬 사이에 중량제한이
www.acmicpc.net
처음에는 단순 BFS로 문제를 해결하려 하였지만, 계속 메모리초과로 BFS로는 해결하지 못하였습니다.
그 다음으로는 다익스트라 방법을 응용하였습니다. 다익스트라는 한 점에서 다른 점까지의 최단 거리를 구하는 것이기 때문에 이를 활용하여 문제를 해결하였습니다. 저는 최단거리 대신 중량의 최대 값을 구하습니다. 시작점에서 방문하지 않은 가장 큰 중량을 찾고 이 값과 그래프의 중량을 비교해 저 작은 값으로 distance를 초기화해나가면서 문제를 해결하였습니다.
package BOJ.BFS;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.LinkedList;
import java.util.List;
import java.util.PriorityQueue;
import java.util.Queue;
import java.util.StringTokenizer;
import java.util.function.Function;
public class BOJ_1939 {
private static class Node{
int end;
long weight;
public Node(int end, long weight) {
this.end = end;
this.weight = weight;
}
}
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine()," ");
Function<String,Integer> stoi = Integer::parseInt;
Function<String,Long> stol = Long::parseLong;
int n = stoi.apply(st.nextToken());
int m = stoi.apply(st.nextToken());
List<Node> list[] = new List[n+1];
for(int i = 1 ; i <= n ; i++){
list[i] = new ArrayList<>();
}
for(int i = 0 ; i < m ; i++){
st = new StringTokenizer(br.readLine()," ");
int a = stoi.apply(st.nextToken());
int b = stoi.apply(st.nextToken());
long c = stol.apply(st.nextToken());
list[a].add(new Node(b,c));
list[b].add(new Node(a,c));
}
st = new StringTokenizer(br.readLine()," ");
int start = stoi.apply(st.nextToken());
int end = stoi.apply(st.nextToken());
long result = cal(list,start,end,n);
System.out.println(result);
}
private static long cal(List<Node>[] list, int start, int end, int n) {
long[] distance = new long[n+1];
boolean[] visited = new boolean[n+1];
Arrays.fill(distance,0);
distance[start] = Long.MAX_VALUE;
long result = 0;
for(int i = 0 ; i < n ; i++){
int maxIndex = 1;
long maxValue = 0;
for(int j = 1 ; j <= n ; j++){
if(!visited[j] && distance[j] > maxValue){
maxValue = distance[j];
maxIndex = j;
}
}
// System.out.println(maxIndex);
// System.out.println(Arrays.toString(distance));
if(maxIndex == end){
result = maxValue;
break;
}
visited[maxIndex] = true;
for(int j = 0 ; j < list[maxIndex].size(); j++){
Node node = list[maxIndex].get(j);
int next = node.end;
long weight = Math.min(node.weight,maxValue);
if(distance[next] < weight){
distance[next] = weight;
}
}
}
return result;
}
}
'알고리즘' 카테고리의 다른 글
백준 15486번 퇴사2 (JAVA) (0) | 2022.01.13 |
---|---|
백준 17086번 아기 상어2 (JAVA) (0) | 2022.01.10 |
백준 1789번 수들의 합 (JAVA) (0) | 2022.01.05 |
백준 14179번 빗물 (JAVA) (0) | 2022.01.04 |
백준 2504번 괄호의 값 (JAVA) (0) | 2022.01.03 |