11. 盛最多水的容器

11. 盛最多水的容器_第1张图片

暴力递归是比较简单的方法,但是时间复杂度是o(n^2),所以在本题会超时.
利用双指针通过对面积的特点(面积受制于短边的位置)来进行优化减少计算次数

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


你可能感兴趣的:(算法,算法,leetcode,数据结构)