在一个火车旅行很受欢迎的国度,你提前一年计划了一些火车旅行。在接下来的一年里,你要旅行的日子将以一个名为 days 的数组给出。每一项是一个从 1 到 365 的整数。
火车票有三种不同的销售方式:
一张为期一天的通行证售价为 costs[0] 美元;
一张为期七天的通行证售价为 costs[1] 美元;
一张为期三十天的通行证售价为 costs[2] 美元。
通行证允许数天无限制的旅行。 例如,如果我们在第 2 天获得一张为期 7 天的通行证,那么我们可以连着旅行 7 天:第 2 天、第 3 天、第 4 天、第 5 天、第 6 天、第 7 天和第 8 天。
返回你想要完成在给定的列表 days 中列出的每一天的旅行所需要的最低消费。
示例 1: 输入:days = [1,4,6,7,8,20], costs = [2,7,15] 输出:11
作者:FlagMain
链接:https://leetcode-cn.com/problems/minimum-cost-for-tickets/solution/zui-di-piao-jie-php-dong-tai-gui-hua-jie-by-fatong/
动态规划
// 按一天票计算 票价 + 前一天消费
$costs_1 = $costs[0] + dp[dp[i-1];
// 按7天票计算 票价 + 7天前的票价
$costs_7 = costs[1] + (costs[1]+(i >= 7 ? dp[dp[i - 7] : 0);
// 按30天票计算 票价 + 30天前的票价
$costs_30 = costs[2] + (costs[2]+(i >= 30 ? dp[dp[i - 30] : 0);
// 三种方式中选最小消费
dp[dp[i] = min( $costs_1, $costs_7, $costs_30);
class Solution {
function mincostTickets($days, $costs) {
$dp = [];
// for 最大出行天数
for ($i = 1; $i <= $days[ count($days) - 1 ]; $i++) {
// 预设前一天消费
if( !isset( $dp[$i-1] ) ) $dp[$i-1] = 0;
// 不在出行计划中,使用已知前一天消费
if ( !in_array( $i, $days ) ) {
$dp[$i] = $dp[$i-1];
}else{
// 按一天票计算 票价 + 前一天消费
$costs_1 = $costs[0] + $dp[$i-1];
// 按7天票计算 票价 + 7天前的票价
$costs_7 = $costs[1] + ($i >= 7 ? $dp[$i - 7] : 0);
// 按30天票计算 票价 + 30天前的票价
$costs_30 = $costs[2] + ($i >= 30 ? $dp[$i - 30] : 0);
// 三种方式中选最小消费
$dp[$i] = min( $costs_1, $costs_7, $costs_30);
}
}
return array_pop($dp);
}
}
$costs = [2, 7, 15];
$days = [1, 4, 6, 7, 8, 20];
var_dump((new Solution())->mincostTickets($days,$costs));