【每日一题Day137】LC1599经营摩天轮的最大利润 | 模拟+贪心

经营摩天轮的最大利润【LC1599】

你正在经营一座摩天轮,该摩天轮共有 4 个座舱 ,每个座舱 最多可以容纳 4 位游客 。你可以 逆时针 轮转座舱,但每次轮转都需要支付一定的运行成本 runningCost 。摩天轮每次轮转都恰好转动 1 / 4 周。

给你一个长度为 n 的数组 customerscustomers[i] 是在第 i 次轮转(下标从 0 开始)之前到达的新游客的数量。这也意味着你必须在新游客到来前轮转 i 次。每位游客在登上离地面最近的座舱前都会支付登舱成本 boardingCost ,一旦该座舱再次抵达地面,他们就会离开座舱结束游玩。

你可以随时停下摩天轮,即便是 在服务所有游客之前 。如果你决定停止运营摩天轮,为了保证所有游客安全着陆,将免费进行****所有后续轮转 。注意,如果有超过 4 位游客在等摩天轮,那么只有 4 位游客可以登上摩天轮,其余的需要等待 下一次轮转

返回最大化利润所需执行的 最小轮转次数 。 如果不存在利润为正的方案,则返回 -1

来晚啦 今天好忙
跟老师吃饭真的是件很累很累的事情,感觉比学习累多了

  • 思路

    按照题意进行模拟,为了获得最大利润,每次尽可能将座舱做满,由于存在排队的现象,因此记录排队的人数wait

    • 如果当前时刻的人数大于4人,那么将剩下的人移到下一时刻,
    • 如果小于4人,那么将其全部送上摩天轮,

    每个时间点的总人数需要加上新来的客人customers[i],登上摩天轮的人数 n u m = M a t h . m i n ( w a i t + c u s t o m e r s [ i ] , 4 ) num=Math.min(wait+customers[i],4) num=Math.min(wait+customers[i],4),当前获得的利润为 n u m ∗ b o a r d i n g C o s t − r u n n i n g C o s t num*boardingCost-runningCost numboardingCostrunningCost,记录并更新最大的利润及其轮次

  • 实现

    class Solution {
        public int minOperationsMaxProfit(int[] customers, int boardingCost, int runningCost) {
            int n = customers.length;
            int wait = 0;
            int max = 0, cur = 0;
            int res = -1, time = 0;
            while (wait != 0 || time < n){
                if (time < n){
                    wait += customers[time];         
                }
                time++;
                int num = Math.min(4, wait);
                wait -= num;
                cur += num * boardingCost - runningCost;
                if (cur > max){
                    max = cur;
                    res = time;
                }
                
            }
            return res;
    
    
        }
    }
    
    • 复杂度
      • 时间复杂度: O ( n ) O(n) O(n)
      • 空间复杂度: O ( 1 ) O(1) O(1)

你可能感兴趣的:(每日一题,贪心,散列表,算法,leetcode)