반응형
[백준 1238번] 파티 - Kotlin
https://www.acmicpc.net/problem/1238
문제
- N개의 숫자로 구분된 각각의 마을에 한 명의 학생이 살고 있다.
- 어느 날 이 N명의 학생이 X (1 ≤ X ≤ N)번 마을에 모여서 파티를 벌이기로 했다.
- 이 마을 사이에는 총 M개의 단방향 도로들이 있고 i번째 길을 지나는데 Ti(1 ≤ Ti ≤ 100)의 시간을 소비한다.
- 각각의 학생들은 파티에 참석하기 위해 걸어가서 다시 그들의 마을로 돌아와야 한다.
- 하지만 이 학생들은 워낙 게을러서 최단 시간에 오고 가기를 원한다.
- 이 도로들은 단방향이기 때문에 아마 그들이 오고 가는 길이 다를지도 모른다.
- N명의 학생들 중 오고 가는데 가장 많은 시간을 소비하는 학생은 누구일지 구하여라
입력
- 첫째 줄에 N(1 ≤ N ≤ 1,000), M(1 ≤ M ≤ 10,000), X가 공백으로 구분되어 입력된다.
- 두 번째 줄부터 M+1번째 줄까지 i번째 도로의 시작점, 끝점, 그리고 이 도로를 지나는데 필요한 소요시간 Ti가 들어온다.
- 시작점과 끝점이 같은 도로는 없으며, 시작점과 한 도시 A에서 다른 도시 B로 가는 도로의 개수는 최대 1개이다.
- 모든 학생들은 집에서 X에 갈수 있고, X에서 집으로 돌아올 수 있는 데이터만 입력으로 주어진다
출력
- 첫 번째 줄에 N명의 학생들 중 오고 가는데 가장 오래 걸리는 학생의 소요시간을 출력한다
풀이
import java.util.*
private class Solution1238 {
fun solution(
x: Int,
nodes: List<PriorityQueue<Node>>
): Int {
val results = IntArray(nodes.size) { 0 }
for (i in results.indices) {
results[i] += dijkstra(i, x - 1, nodes)
results[i] += dijkstra(x - 1, i, nodes)
}
return results.max()
}
private fun dijkstra(
start: Int,
end: Int,
nodes: List<PriorityQueue<Node>>
): Int {
val queue: PriorityQueue<Node> = PriorityQueue()
val weights = IntArray(nodes.size) { Int.MAX_VALUE }
val visited = BooleanArray(nodes.size) { false }
queue.add(Node(start, 0))
weights[start] = 0
while (queue.isNotEmpty()) {
val current = queue.poll().index
if (visited[current]) {
continue
}
visited[current] = true
for (node in nodes[current]) {
if (weights[node.index] > weights[current] + node.weight) {
weights[node.index] = weights[current] + node.weight
queue.add(Node(node.index, weights[node.index]))
}
}
}
return weights[end]
}
data class Node(
val index: Int,
val weight: Int
): Comparable<Node> {
override fun compareTo(other: Node): Int = this.weight - other.weight
}
}
private fun main() {
val br = System.`in`.bufferedReader()
val bw = System.out.bufferedWriter()
val nodes: MutableList<PriorityQueue<Solution1238.Node>> = mutableListOf()
val (n, m, x) = br.readLine().split(" ").map(String::toInt)
repeat(n) {
nodes.add(PriorityQueue())
}
repeat(m) {
val (start, end, w) = br.readLine().split(" ").map(String::toInt)
nodes[start - 1].add(Solution1238.Node(end - 1, w))
}
bw.append("${Solution1238().solution(x, nodes)}\n")
bw.flush()
br.close()
bw.close()
}
반응형
'Software > 백준' 카테고리의 다른 글
[백준 1927번] 최소 힙 - Kotlin (0) | 2024.05.15 |
---|---|
[백준 14888번] 연산자 끼워넣기 - Kotlin (0) | 2024.05.15 |
[백준 10844번] 쉬운 계단 수 - Kotlin (0) | 2024.05.12 |
[백준 11659번] 구간 합 구하기 - Kotlin (0) | 2024.05.12 |
[백준 4949번] 균형잡힌 세상 - Kotlin (0) | 2024.05.12 |