题目描述:
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.
题目分析:
因为container不能倾斜,所以container的容积等于底边乘上min(左边高,右边高)。
刚开始想到用类似滑动窗口的方法。第一遍从底边最大(窗口最大)的情况开始找一次,第二遍窗口减一,找两次,第三次窗口减2,找3次……复杂度是n*(n-1)/2。但是这个方法超时了。
后来看了O(N)解答……感觉再绞尽脑汁一下还是可以做到的……
经典答案:
复杂度O(N)
从底边最大开始遍历,也就是两个边在0和n-1的时候。
因为在底边一定的情况下,容积取决于短边。假设在h[0]<h[n-1]的情况下移动右边,新右边高度是h[n-2]。
若h[n-2]>h[0],则此时最短边还是h[0],但是底边边短了,所以容积肯定变小;
如果h[n-2]<h[0],则最小侧边和底边更小,容积也就更小了。
所以在h[0]<h[n-1]的情况下根本不用尝试移动右边的情况。同理h[0]>h[n-1]的时候也不用尝试移动左边。在相等的情况下随便移动一个即可。
上Java代码:
class Solution {
public int maxArea(int[] height) {
int area = 0;
int i = 0;
int j = height.length-1;
while(j>i){
area = Math.max(area, (j-i)*Math.min(height[i],height[j]));
if(height[i]<height[j])
i ++;
else
j --;
}
return area;
}
}
碎碎念:
之前刷了一两题感觉好难,所以一直在逃避,身边好多人都拿到实习了我才刚开始刷题…现在想明白了,这种逃避在守护的是所谓的我的虚荣心,不肯承认自己目前的差水平。但越逃避越差。既然已经如此,就每天努力刷题,能做到什么样就什么样吧~放轻松,踏实做事,相信功到自然成~