[LeetCode] Maximum Vacation Days

568. Maximum Vacation Days

LeetCode wants to give one of its best employees the option to travel among n cities to collect algorithm problems. But all work and no play makes Jack a dull boy, you could take vacations in some particular cities and weeks. Your job is to schedule the traveling to maximize the number of vacation days you could take, but there are certain rules and restrictions you need to follow.

Rules and restrictions:

  1. You can only travel among n cities, represented by indexes from 0 to n - 1. Initially, you are in the city indexed 0 on Monday.
  2. The cities are connected by flights. The flights are represented as an n x n matrix (not necessarily symmetrical), called flights representing the airline status from the city i to the city j. If there is no flight from the city i to the city j, flights[i][j] == 0; Otherwise, flights[i][j] == 1. Also, flights[i][i] == 0 for all i.
  3. You totally have k weeks (each week has seven days) to travel. You can only take flights at most once per day and can only take flights on each week’s Monday morning. Since flight time is so short, we do not consider the impact of flight time.
  4. For each city, you can only have restricted vacation days in different weeks, given an n x k matrix called days representing this relationship. For the value of days[i][j], it represents the maximum days you could take a vacation in the city i in the week j.
  5. You could stay in a city beyond the number of vacation days, but you should work on the extra days, which will not be counted as vacation days.
  6. If you fly from city A to city B and take the vacation on that day, the deduction towards vacation days will count towards the vacation days of city B in that week.
  7. We do not consider the impact of flight hours on the calculation of vacation days.

Given the two matrices flights and days, return the maximum vacation days you could take during k weeks.

  • Time : O(nk)
  • Space : O(nk)
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
class Solution {
//city, week
int dp[101][101];
int solution(int& k, vector<vector<int>>& f, vector<vector<int>>& d, int c, int w) {
if(k == w) return 0;
if(dp[c][w] != -1) return dp[c][w];
dp[c][w] = d[c][w] + solution(k,f,d,c,w+1);
for(int i = 0; i < f[c].size(); i++) {
if(f[c][i])
dp[c][w] = max(dp[c][w], d[c][w] + solution(k,f,d,i,w+1));
}
return dp[c][w];
}
public:
int maxVacationDays(vector<vector<int>>& flights, vector<vector<int>>& days) {
int k = days[0].size(), n = flights.size();
memset(dp, -1, sizeof(dp));
int res = solution(k,flights,days,0,0);
for(int i = 1; i < n; i++) {
if(flights[0][i])
res = max(res,solution(k,flights,days,i,0));
}
return res;
}
};
Author: Song Hayoung
Link: https://songhayoung.github.io/2022/02/15/PS/LeetCode/maximum-vacation-days/
Copyright Notice: All articles in this blog are licensed under CC BY-NC-SA 4.0 unless stating additionally.