끄적끄적 코딩
article thumbnail
Published 2023. 4. 14. 20:19
[Java] 백준 2056번 작업 알고리즘
728x90

위상정렬 문제입니다.

작업들에는 선행순서가 있습니다.
선행순서를 실행하고 해당 작업을 실행하는 과정을 진행할 때 모든 작업이 완료되는 최소 시간을 구해야합니다.

선행순서가 없는 작업을 큐에 넣습니다.
큐에서 작업을 꺼내고 다음 위치를 탐색합니다.
다음 위치에 연결(선행이 필요한)된 작업이 있을 경우 넘어갑니다.
연결(선행이 필요한)된 작업이 없을 경우 해당 작업을 큐에 넣습니다.

위의 과정을 반복해서 모든 작업을 탐색하고 최소시간을 출력해주었습니다.

import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;

public class Main {
	public static void main(String[] args) throws IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
		BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
		StringTokenizer st = new StringTokenizer(br.readLine());

		int ans = 0;
		int n = Integer.parseInt(st.nextToken());
		int[] time = new int[n + 1];
		int[] cnt = new int[n + 1];
		int[] size = new int[n + 1];
		Queue<Data> q = new LinkedList<>();
		ArrayList<ArrayList<Integer>> al = new ArrayList<>();

		al.add(new ArrayList<>());
		for (int i = 1; i <= n; ++i) {
			st = new StringTokenizer(br.readLine());
			time[i] = Integer.parseInt(st.nextToken());

			al.add(new ArrayList<>());

			int m = Integer.parseInt(st.nextToken());
			cnt[i] = m;
			if (m == 0) {
				q.add(new Data(i, time[i]));
			}
			for (int j = 0; j < m; ++j) {
				al.get(Integer.parseInt(st.nextToken())).add(i);
			}
		}

		while (!q.isEmpty()) {
			Data d = q.poll();
			--cnt[d.index];
			size[d.index] = Math.max(size[d.index], d.time);
			if (cnt[d.index] > 0) {
				continue;
			}
			for (int i = 0; i < al.get(d.index).size(); ++i) {
				int next = al.get(d.index).get(i);
				q.add(new Data(next, size[d.index] + time[next]));
			}
		}

		for (int i = 1; i <= n; ++i) {
			ans = Math.max(ans, size[i]);
		}

		bw.write(ans + "\n");
		bw.close();
	}

	public static class Data {
		int index;
		int time;

		public Data(int index, int time) {
			this.index = index;
			this.time = time;
		}
	}
}

검색 태그