C++實現LeetCode(11.裝最多水的容器)

[LeetCode] 11. Container With Most Water 裝最多水的容器

Given n non-negative integers a1a2, …, an , where each represents a point at coordinate (iai). n vertical lines are drawn such that the two endpoints of line i is at (iai) and (i, 0). Find two lines, which together with x-axis forms a container, such that the container contains the most water.

Note: You may not slant the container and nis at least 2.

The above vertical lines are represented by array [1,8,6,2,5,4,8,3,7]. In this case, the max area of water (blue section) the container can contain is 49.

Example:

Input: [1,8,6,2,5,4,8,3,7]
Output: 49

這道求裝最多水的容器的題和那道 Trapping Rain Water 很類似,但又有些不同,那道題讓求整個能收集雨水的量,這道隻是讓求最大的一個的裝水量,而且還有一點不同的是,那道題容器邊緣不能算在裡面,而這道題卻可以算,相比較來說還是這道題容易一些,這裡需要定義i和j兩個指針分別指向數組的左右兩端,然後兩個指針向中間搜索,每移動一次算一個值和結果比較取較大的,容器裝水量的算法是找出左右兩個邊緣中較小的那個乘以兩邊緣的距離,代碼如下:

C++ 解法一:

class Solution {
public:
    int maxArea(vector<int>& height) {
        int res = 0, i = 0, j = height.size() - 1;
        while (i < j) {
            res = max(res, min(height[i], height[j]) * (j - i));
            height[i] < height[j] ? ++i : --j;
        }
        return res;
    }
};

Java 解法一:

public class Solution {
    public int maxArea(int[] height) {
        int res = 0, i = 0, j = height.length - 1;
        while (i < j) {
            res = Math.max(res, Math.min(height[i], height[j]) * (j - i));
            if (height[i] < height[j]) ++i;
            else --j;
        }
        return res;
    }
}

這裡需要註意的是,由於 Java 中的三元運算符 A?B:C 必須須要有返回值,所以隻能用 if..else.. 來替換,不知道 Java 對於三元運算符這麼嚴格的限制的原因是什麼。

下面這種方法是對上面的方法進行瞭小幅度的優化,對於相同的高度們直接移動i和j就行瞭,不再進行計算容量瞭,參見代碼如下:

C++ 解法二:

class Solution {
public:
    int maxArea(vector<int>& height) {
        int res = 0, i = 0, j = height.size() - 1;
        while (i < j) {
            int h = min(height[i], height[j]);
            res = max(res, h * (j - i));
            while (i < j && h == height[i]) ++i;
            while (i < j && h == height[j]) --j;
        }
        return res;
    }
};

Java 解法二:

public class Solution {
    public int maxArea(int[] height) {
        int res = 0, i = 0, j = height.length - 1;
        while (i < j) {
            int h = Math.min(height[i], height[j]);
            res = Math.max(res, h * (j - i));
            while (i < j && h == height[i]) ++i;
            while (i < j && h == height[j]) --j;
        }
        return res;
    }
}

到此這篇關於C++實現LeetCode(11.裝最多水的容器)的文章就介紹到這瞭,更多相關C++實現裝最多水的容器內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: