题目
data:image/s3,"s3://crabby-images/84cb1/84cb1114ea4384ab8d6737dd1a3f59ec87270d67" alt=""
题解一:双指针法
思路:
题目中的示例为:
data:image/s3,"s3://crabby-images/03a83/03a83e51bb6d5306949d77c2e5aba8c43a4a72b7" alt=""
在初始时,左右指针分别指向数组的左右两端,它们可以容纳的水量为 min(1,7)∗8=8
此时我们需要移动一个指针。移动哪一个呢?应该移动对应数字较小的那个指针(即此时的左指针)。这是因为,由于容纳的水量是由
所以,我们将左指针向右移动:
data:image/s3,"s3://crabby-images/d64c1/d64c1ae2750ebca49183542b561d94dce5bc6471" alt=""
此时可以容纳的水量为 min(8,7)∗7=49。由于右指针对应的数字较小,我们移动右指针:
data:image/s3,"s3://crabby-images/e0517/e05178f2237084ed3a6998a043dd71cfac97e0e6" alt=""
此时可以容纳的水量为 min(8,3)∗6=18,由于右指针对应的数字较小,我们移动右指针:
data:image/s3,"s3://crabby-images/ffb90/ffb9025be1967fb0654a864cbef0b60d962ce582" alt=""
此时可以容纳的水量为 min(8,8)∗5=40,两指针对应的数字相同,我们可以任意移动一个,例如左指针:
data:image/s3,"s3://crabby-images/12041/12041d01ae52e6a7766f174c846f2f74e00edb2d" alt=""
最后左指针大于右指针的时候,就是循环结束的条件
动图可以参考:盛最多水的容器
代码:
java
class Solution {
public int maxArea(int[] height) {
//解法:双指针法
int pre = 0;
int bef = height.length-1;
//记录每次计算的最大面积
int maxeare = 0;
while(pre < bef){
int crueare = (Math.min(height[pre],height[bef]))*(bef - pre);//记录此刻的两个指针向的区域的面积
maxeare = Math.max(crueare,maxeare);//刷新最大面积
//让指向小的数,移动指针;
if(height[pre]<height[bef])
pre = pre + 1;
else
bef = bef - 1;
}
return maxeare;
}
}