|
| 1 | +""" |
| 2 | +Given an array of non-negative integers representing an elevation map where the width |
| 3 | +of each bar is 1, this program calculates how much rainwater can be trapped. |
| 4 | +
|
| 5 | +Example - height = (0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1) |
| 6 | +Output: 6 |
| 7 | +This problem can be solved using the concept of "DYNAMIC PROGRAMMING". |
| 8 | +
|
| 9 | +We calculate the maximum height of bars on the left and right of every bar in array. |
| 10 | +Then iterate over the width of structure and at each index. |
| 11 | +The amount of water that will be stored is equal to minimum of maximum height of bars |
| 12 | +on both sides minus height of bar at current position. |
| 13 | +""" |
| 14 | + |
| 15 | + |
| 16 | +def trapped_rainwater(heights: tuple[int, ...]) -> int: |
| 17 | + """ |
| 18 | + The trapped_rainwater function calculates the total amount of rainwater that can be |
| 19 | + trapped given an array of bar heights. |
| 20 | + It uses a dynamic programming approach, determining the maximum height of bars on |
| 21 | + both sides for each bar, and then computing the trapped water above each bar. |
| 22 | + The function returns the total trapped water. |
| 23 | +
|
| 24 | + >>> trapped_rainwater((0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1)) |
| 25 | + 6 |
| 26 | + >>> trapped_rainwater((7, 1, 5, 3, 6, 4)) |
| 27 | + 9 |
| 28 | + >>> trapped_rainwater((7, 1, 5, 3, 6, -1)) |
| 29 | + Traceback (most recent call last): |
| 30 | + ... |
| 31 | + ValueError: No height can be negative |
| 32 | + """ |
| 33 | + if not heights: |
| 34 | + return 0 |
| 35 | + if any(h < 0 for h in heights): |
| 36 | + raise ValueError("No height can be negative") |
| 37 | + length = len(heights) |
| 38 | + |
| 39 | + left_max = [0] * length |
| 40 | + left_max[0] = heights[0] |
| 41 | + for i, height in enumerate(heights[1:], start=1): |
| 42 | + left_max[i] = max(height, left_max[i - 1]) |
| 43 | + |
| 44 | + right_max = [0] * length |
| 45 | + right_max[-1] = heights[-1] |
| 46 | + for i in range(length - 2, -1, -1): |
| 47 | + right_max[i] = max(heights[i], right_max[i + 1]) |
| 48 | + |
| 49 | + return sum( |
| 50 | + min(left, right) - height |
| 51 | + for left, right, height in zip(left_max, right_max, heights) |
| 52 | + ) |
| 53 | + |
| 54 | + |
| 55 | +if __name__ == "__main__": |
| 56 | + import doctest |
| 57 | + |
| 58 | + doctest.testmod() |
| 59 | + print(f"{trapped_rainwater((0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1)) = }") |
| 60 | + print(f"{trapped_rainwater((7, 1, 5, 3, 6, 4)) = }") |
0 commit comments