给定一个数组height,长度为n,每个数代表坐标轴中的一个点的高度,height[i]是在第i点的高度,请问,从中选2个高度与x轴组成的容器最多能容纳多少水
1.你不能倾斜容器
2.当n小于2时,视为不能形成容器,请返回0
3.数据保证能容纳最多的水不会超过整形范围,即不会超过2^31-1
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
| class Solution { public: int maxArea(vector<int>& height) { int res = 0; int i = 0, j = height.size() - 1; int lmax = 0, rmax = 0; while (i < j) { lmax = max(lmax, height[i]); rmax = max(rmax, height[j]); res = max(res, min(lmax, rmax) * (j - i)); if (lmax < rmax) { i++; } else { j--; } }
return res; } };
|