#include <iostream>
#include <cstring>
#include <string>
#include <algorithm>
#include <vector>
using namespace std;
/*
* 思路:S(i,j)=(j-i)*min(h[i],h[j]),第一思路是使用长度遍历进行暴力求解,发现超时
* 则考虑双指针法
* 从两端开始往内部遍历,当指针收缩时,若移动短板,则面积的高可能变大,S可能变大
* 若移动长板,面积的高可能不变或者变小,此时S一定变小
* 则要求最大,则在每次循环中都必须移动短板指针
*/
class Solution {
public:
int maxArea(vector<int>& height) {
int maxV = 0, n = height.size();
int i = 0, j = n - 1;
while (i <= j)
{
if (height[i] < height[j])
{
maxV = max(maxV, (j - i) * height[i]);
i++;
}
else {
maxV = max(maxV, (j - i) * height[j]);
j--;
}
}
return maxV;
}
};
int main()
{
vector<int>nums;
int n, a;
cin >> n;
for (int i = 0; i < n; i++)
{
cin >> a;
nums.push_back(a);
}
Solution A;
cout << A.maxArea(nums) << endl;
}
LeetCode 11.盛最多水的容器
最新推荐文章于 2024-11-05 21:58:11 发布