11. 盛最多水的容器

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.

Note: You may not slant the container and n is 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

思路

  1. 暴力遍历,依次遍历容器的左右边界,以左右边界中高度较小的当做容器高度,计算面积。
# 1. 使用暴力搜索,时间复杂度为O(n**2)
    def maxArea(self, height: List[int]) -> int:
        max_area = 0
        for i in range(0, len(height) - 1):
            for j in range(i + 1, len(height)):
                area = (j - i) * min(height[i], height[j])
                max_area = max(area, max_area)
        return max_area
  1. 双指针法, 先以数组的最左最右当做容器的左右边界,再向中间收敛。因为从数组两端开始已经保证了容器的最宽宽度,现在要找更高的高度,如果左边界高度小于右边界,则左边界向里移动,否则右边界向内移动。
# 2. 双指针,向内收敛,时间复杂度为O(n)
    def maxArea2(self, height: List[int]) -> int:
        l, r = 0, len(height) - 1
        max_area = 0
        while (l < r):
            area = (r - l) * min(height[l], height[r])
            max_area = max(max_area, area)
            if height[l] < height[r]:
                l += 1
            else:
                r -= 1

        return max_area
©著作权归作者所有,转载或内容合作请联系作者
平台声明:文章内容(如有图片或视频亦包括在内)由作者上传并发布,文章内容仅代表作者本人观点,简书系信息发布平台,仅提供信息存储服务。

推荐阅读更多精彩内容