1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00
LeetCode/cpp/trapping-rain-water.cpp

27 lines
573 B
C++
Raw Normal View History

#include <algorithm>
#include <vector>
class Solution {
public:
int trap(const std::vector<int> &height) {
int caught = 0;
auto i = 0u;
auto j = height.size() - 1;
int max_l = height[i], max_r = height[j];
while (i < j) {
max_l = std::max(max_l, height[i]);
max_r = std::max(max_r, height[j]);
if (max_l < max_r) {
caught += max_l - height[i++];
} else {
caught += max_r - height[j--];
}
}
return caught;
}
};