Skip to content

Instantly share code, notes, and snippets.

@muratatak77
Created December 16, 2020 18:18
Show Gist options
  • Save muratatak77/f6c907b0a9c7d05e11f71092cfb071a5 to your computer and use it in GitHub Desktop.
Save muratatak77/f6c907b0a9c7d05e11f71092cfb071a5 to your computer and use it in GitHub Desktop.
42. Trapping Rain Water Brute Force
'''
if we can brute force :
first we need to go left side from current item. We need max item in the left side
second we can go to right side from the current item and we can get max right item
and finally we can get min(left,right) - current main item
if this difference grater than 0 we can add to total
'''
from typing import List
class Solution:
def trap(self, height: List[int]) -> int:
total = 0
n = len(height)
for i in range(1,n):
left = float('-inf')
for j in range(i-1,-1,-1):
left = max(left, height[j])
right = float('-inf')
for j in range(i+1,n):
right = max(right, height[j])
diff = min(left,right) - height[i]
if diff > 0:
total += diff
return total
height = [0,1,0,2,1,0,1,3,2,1,2,1]
height = [4,2,0,3,2,5]
res = Solution().trap(height)
print("res : ", res)
'''
T(N) = O(n^2) because we can do multiple loops for each element
S(N) = O(1) there is no extra space
'''
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment