568 Maximum Vacation Days
1. Question
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:
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.
The cities are connected by flights. The flights are represented as a N*N matrix (not necessary 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.
You totally have K weeks (each week has 7 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 don't consider the impact of flight time.
For each city, you can only have restricted vacation days in different weeks, given an N*K matrix called days
representing this relationship. For the value of days[i][j] , it represents the maximum days you could take vacation in the city
i in the week j.
You're given the flights matrix and days matrix, and you need to output the maximum vacation days you could take during K weeks.
Example 1:
Example 2:
Example 3:
Note:
N and K are positive integers, which are in the range of [1, 100].
In the matrix flights , all the values are integers in the range of [0, 1].
In the matrix days, all the values are integers in the range [0, 7].
You could stay at a city beyond the number of vacation days, but you should work on the extra days, which won't be counted as vacation days.
If you fly from the city A to the 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.
We don't consider the impact of flight hours towards the calculation of vacation days.
2. Implementation
(1) DFS (Brute Force)
(2) DFS + Memoization
这个问题存在overlapping subproblem, 将算法按照(city, week)的形式化成树模型可以看出有重复子问题,所以需要memoization
(3) DP
3. Time & Space Complexity
DFS (Brute Force): 时间复杂度O(N ^ K), 递归树的深度是K, 递归树的每个节点最多有N个branch, 空间复杂度O(K),递归树的深度是K
DFS + Memoization: 时间复杂度O(KN^2), 我们需要fill up size为NK的memoization table, 而每个cell需要O(N)时间, 空间复杂度O(NK), memoinzation的数组size
DP: 时间复杂度O(KN^2), 空间复杂度O(NK)
Last updated
Was this helpful?