leetcode 11 Container With Most Water

題目詳情

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

輸入一個數組,數組的每個元素都表明了一條垂直的線,其中每個元素的位置表明橫座標,元素的值表明縱座標。咱們須要找出這些線所圍成的「容器」,能裝最多水的水量。數組

想法

  • 由於這是一個裝水的容器,因此並不能直接的算圍成的面積,裝水的面積取決於兩條線中較短的那條的長度和兩條線之間橫座標的差值。
  • 這道題是不能用蠻力法解決的,會超時T^T。
  • 這個解法想法是這樣的,咱們用兩個變量start,end指向數組的起始元素和末尾元素。首先計算這兩條線所圍成的容器面積,而後移動指向較短的線段的指針。直到start = end。

解法

public int maxArea(int[] height) {
        int maxArea = 0;
        int start = 0;
        int end = height.length-1;
        
        while(start < end){
            maxArea = Math.max(maxArea, Math.min(height[start], height[end])*(end-start));
            if(height[start] < height[end]) start ++;
            else end--;
        }
        
        return maxArea;
    }
相關文章
相關標籤/搜索