1. 程式人生 > 實用技巧 >LeetCode - 11. Container With Most Water

LeetCode - 11. Container With Most Water

LeetCode 演算法題

11. Container With Most Water (盛最多水的容器)

給定 n 個非負整數 a1,a2,...,an,每個數代表座標中的一個點 (i, ai) 。在座標內畫 n 條垂直線,垂直線 i 的兩個端點分別為 (i, ai) 和 (i, 0)。找出其中的兩條線,使得它們與 x 軸共同構成的容器可以容納最多的水。

說明:你不能傾斜容器,且 n 的值至少為 2。

![question_11.jpg](

圖中垂直線代表輸入陣列 [1,8,6,2,5,4,8,3,7]。在此情況下,容器能夠容納水(表示為藍色部分)的最大值為 49。

示例:

輸入: [1,8,6,2,5,4,8,3,7]
輸出: 49

解答:

public class ContainerWithMostWater {
    public static int maxArea(int[] height) {
        int maxArea = 0;
        int begin = 0, end = height.length - 1;
        int wide = 0;
        while (begin != end) {
            wide = end - begin;
            if (height[begin] > height[end]) {
                maxArea = Math.max(height[end] * wide, maxArea);
                end--;
            } else {
                maxArea = Math.max(height[begin] * wide, maxArea);
                begin++;
            }
        }
        return maxArea;
    }
}

解答並非最優解,如有想法或者問題,可在下方評論交流。