# Leetcode_2050. Parallel Courses III ###### tags: `Leetcode` `Hard` `Graph` You are given an integer n, which indicates that there are n courses labeled from 1 to n. You are also given a 2D integer array relations where relations[j] = [prevCoursej, nextCoursej] denotes that course prevCoursej has to be completed before course nextCoursej (prerequisite relationship). Furthermore, you are given a 0-indexed integer array time where time[i] denotes how many months it takes to complete the (i+1)th course. You must find the minimum number of months needed to complete all the courses following these rules: You may start taking a course at any time if the prerequisites are met. Any number of courses can be taken at the same time. Return the minimum number of months needed to complete all the courses. Note: The test cases are generated such that it is possible to complete every course (i.e., the graph is a directed acyclic graph). ![](https://hackmd.io/_uploads/HJU3yIA-6.png) ![](https://hackmd.io/_uploads/HkDpk8CWp.png) ``` c++= class Solution { public: int minimumTime(int n, vector<vector<int>>& relations, vector<int>& time) { vector<vector<int>> graph(n+1); vector<int> max_time(n+1,0); for(auto &r:relations){ // cout << "start : " << r[0] <<" end : " << r[1] <<endl; graph[r[0]].push_back(r[1]); } for(int i=0;i<n;i++){ dfs(i+1,graph,time,max_time); } return *max_element(max_time.begin(),max_time.end()); } private: int dfs(int src,vector<vector<int>>& graph,vector<int>& time,vector<int>&max_time){ if(max_time[src]!=0){ return max_time[src]; } int res=time[src-1]; for(auto n:graph[src]){ res=max(res,dfs(n,graph,time,max_time)+time[src-1]); } max_time[src]=res; return res; } }; ```