腾讯五十题 No.7 盛水最多的容器
作者:互联网
题目链接
左右指针,不知道为什么挺慢的4ms
public class Solution {
public int maxArea(int[] height) {
//定义左右指针
int l = 0,r = height.length-1;
int ans = 0;
while(l<r){
//找最大值
int tmp = Math.min(height[l],height[r]) * (r-l);
ans = Math.max(ans,tmp);
if(height[l] <= height[r]){
++l;
}else{
--r;
}
}
return ans;
}
}
官方的快一些
public class Solution {
public int maxArea(int[] a) {
int max = 0;
for(int i=0,j=a.length-1;i<j;){
//找到每一组最小的边
int minHeight = a[i]<a[j]?a[i++]:a[j--];
//上句代码中完成了i++ j--所以底边j-i需要加一
max = Math.max(minHeight*(j-i+1),max);
}
return max;
}
}
标签:盛水,int,class,Solution,height,No.7,腾讯,public,maxArea 来源: https://www.cnblogs.com/jianjiana/p/15864034.html