-
Notifications
You must be signed in to change notification settings - Fork 2.3k
/
Copy pathtwoPointers.js
68 lines (60 loc) · 2.22 KB
/
twoPointers.js
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
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
class TwoPointers {
/**
* Move Zeroes using Two Pointers
* @param {number[]} nums - Input array
*/
moveZeroesTwoPointers(nums) {
let left = 0; // Pointer for placing non-zero elements
// Iterate with right pointer
for (let right = 0; right < nums.length; right++) {
if (nums[right] !== 0) {
// Swap elements if right pointer finds a non-zero
[nums[left], nums[right]] = [nums[right], nums[left]];
left++; // Move left pointer forward
}
}
}
/**
* Brute Force approach for Container with Most Water
* @param {number[]} height - Array of heights
* @return {number} - Maximum water that can be contained
*/
maxAreaBruteForce(height) {
let maxArea = 0;
let n = height.length;
// Check all pairs (i, j)
for (let i = 0; i < n; i++) {
for (let j = i + 1; j < n; j++) {
// Compute the minimum height and width
let minHeight = Math.min(height[i], height[j]);
let width = j - i;
let area = minHeight * width; // Compute water contained
maxArea = Math.max(maxArea, area); // Update max water
}
}
return maxArea;
}
/**
* Two Pointers approach for Container with Most Water
* @param {number[]} height - Array of heights
* @return {number} - Maximum water that can be contained
*/
maxAreaTwoPointers(height) {
let left = 0, right = height.length - 1;
let maxArea = 0;
// Move pointers toward each other
while (left < right) {
let width = right - left; // Distance between lines
let minHeight = Math.min(height[left], height[right]); // Compute height
let area = minHeight * width; // Compute water contained
maxArea = Math.max(maxArea, area); // Update max water
// Move the pointer pointing to the shorter height
if (height[left] < height[right]) {
left++; // Move left pointer forward
} else {
right--; // Move right pointer backward
}
}
return maxArea;
}
}