当前位置 : 首页 » 文章分类 :  算法  »  LeetCode.011.Container With Most Water 盛最多水的容器

LeetCode.011.Container With Most Water 盛最多水的容器

题目描述

11 Container With Most Water
https://leetcode-cn.com/problems/container-with-most-water/

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

说明:你不能倾斜容器,且 n 的值至少为 2。


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

示例:

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

相似题目

LeetCode.042.Trapping Rain Water 接雨水
LeetCode.011.Container With Most Water 盛最多水的容器


解题过程

一开始理解错题意了,以为是在第 i 个竖线右侧倒水,水能漫过右侧更矮的竖线,求在哪个竖线右侧倒水能存住的最多?这样的话就是用单调栈来做。

但是这道题是任意两个竖线,中间不会被其他竖线阻隔,所以不能用单调栈来做。

面积等于 宽度 乘以 高度,想面积更大需要宽度和高度都尽可能的大,使用前后(左右)双指针开始遍历,指针往中间移动的过程中宽度肯定会变小,那就想办法保住高度大的,所以哪个高度低,哪个就向中间移动。

时间复杂度 O(n),空间复杂度 O(1)

private static class SolutionV2020 {
    public int maxArea(int[] height) {
        int max = 0;
        int left = 0, right = height.length - 1;
        while (left < right) {
            max = Math.max(max, (right - left) * Math.min(height[left], height[right]));
            if (height[left] < height[right]) {
                left++;
            } else if (height[left] > height[right]) {
                right--;
            } else {
                left++;
                right--;
            }
        }
        return max;
    }
}

GitHub代码

algorithms/leetcode/leetcode/_011_ContainerWithMostWater.java
https://github.com/masikkk/algorithms/blob/master/leetcode/leetcode/_011_ContainerWithMostWater.java


上一篇 LeetCode.122.Best Time to Buy and Sell Stock II 买卖股票的最佳时机2

下一篇 LeetCode.055.Jump Game 跳跃游戏

阅读
评论
483
阅读预计2分钟
创建日期 2020-04-18
修改日期 2020-04-18
类别

页面信息

location:
protocol:
host:
hostname:
origin:
pathname:
href:
document:
referrer:
navigator:
platform:
userAgent:

评论