Leetcode每日一题-12.31

3219. 切蛋糕的最小总开销 II

有一个 m x n 大小的矩形蛋糕,需要切成 1 x 1 的小块。

给你整数 m ,n 和两个数组:

  • horizontalCut 的大小为 m - 1 ,其中 horizontalCut[i] 表示沿着水平线 i 切蛋糕的开销。

  • verticalCut 的大小为 n - 1 ,其中 verticalCut[j] 表示沿着垂直线 j 切蛋糕的开销。

一次操作中,你可以选择任意不是 1 x 1 大小的矩形蛋糕并执行以下操作之一:

  1. 沿着水平线 i 切开蛋糕,开销为 horizontalCut[i] 。

  2. 沿着垂直线 j 切开蛋糕,开销为 verticalCut[j] 。

每次操作后,这块蛋糕都被切成两个独立的小蛋糕。

每次操作的开销都为最开始对应切割线的开销,并且不会改变。

请你返回将蛋糕全部切成 1 x 1 的蛋糕块的 最小 总开销。

思路

贪心策略,每次切蛋糕都切开销最大的刀,需要对比水平切和垂直切的开销,同时还需要记录水平和垂直蛋糕的块数。

class Solution {
    public long minimumCost(int m, int n, int[] horizontalCut, int[] verticalCut) {
        Arrays.sort(horizontalCut);
        Arrays.sort(verticalCut);
        int h=1, v=1;
        int i=m-2, j=n-2;
        long ans=0;

        while (i>=0 && j>=0) {
            if (horizontalCut[i] > verticalCut[j]) {
                ans += h * horizontalCut[i];
                i--;
                v++;
            } else {
                ans += v * verticalCut[j];
                j--;
                h++;
            }
        }
        while (i>=0) {
            ans += h * horizontalCut[i];
            i--;
        }
        while (j>=0) {
            ans += v * verticalCut[j];
            j--;
        }
        return ans;
    }
}

LICENSED UNDER CC BY-NC-SA 4.0
Comment