其他分享
首页 > 其他分享> > LeetCode刷题经验总结记录--11. 盛最多水的容器

LeetCode刷题经验总结记录--11. 盛最多水的容器

作者:互联网

https://leetcode-cn.com/problems/container-with-most-water/

给你 n 个非负整数 a1,a2,...,an,每个数代表坐标中的一个点 (i, ai) 。在坐标内画 n 条垂直线,垂直线 i 的两个端点分别为 (i, ai) 和 (i, 0) 。找出其中的两条线,使得它们与 x 轴共同构成的容器可以容纳最多的水。

说明:你不能倾斜容器。

示例:

输入:[1,8,6,2,5,4,8,3,7]
输出:49 
解释:图中垂直线代表输入数组 [1,8,6,2,5,4,8,3,7]。在此情况下,容器能够容纳水(表示为蓝色部分)的最大值为 49。

解法:

package leetcode2;

/**
 * 2021/3/9 14:23
 *
 * @Author ayue
 */
public class Solution5 {
    public int maxArea(int[] height) {
        int maxArea = 0;
        for (int i = 1; i < height.length; ++i) {
            for (int j = 0; j < i; ++j) {
                maxArea = Math.max(maxArea, Math.min(height[i], height[j]) * (i - j));
            }
        }
        return maxArea;
    }
    
    public int maxArea2(int[] height) {//双指针解法
        int maxArea = 0;
        int left = 0;
        int right = height.length - 1;
        while (left < right) {
            if (height[left] <= height[right]) {
                maxArea = Math.max(maxArea, height[left] * (right - left));
                left++;
            } else {
                maxArea = Math.max(maxArea, height[right] * (right - left));
                right--;
            }
        }
        return maxArea;
    }
    
    public static void main(String[] args) {
        Solution5 solution5 = new Solution5();
        int[] height = new int[]{1, 2, 1};
        System.out.println(solution5.maxArea(height));
    }
}

 

标签:11,--,垂直线,height,int,最多水,public,maxArea,left
来源: https://blog.csdn.net/newayue/article/details/114582789