-
-
Notifications
You must be signed in to change notification settings - Fork 424
/
Copy pathcontainer-with-most-water.cpp
32 lines (26 loc) · 1.1 KB
/
container-with-most-water.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
// https://leetcode.com/problems/container-with-most-water
// code for the question : "container-with-most-water"
// language : cpp
class Solution {
public:
int maxArea(vector<int>& height) {
int n = height.size();
int max_area = 0; // Variable to store the maximum water that can be contained
int i = 0; // Left pointer
int j = n - 1; // Right pointer
// Use two-pointer approach to find the maximum area
while (i < j) {
// Calculate the area between the two current pointers
int current_area = (j - i) * min(height[i], height[j]);
// Update the maximum area found so far
max_area = max(max_area, current_area);
// Move the pointer with the smaller height
if (height[i] < height[j]) {
i++; // Move left pointer to the right
} else {
j--; // Move right pointer to the left
}
}
return max_area;
}
};