Last active
          August 8, 2018 00:55 
        
      - 
      
- 
        Save Tombarr/f3d23c3adc3c0acdf8bb00cd6fc5ab82 to your computer and use it in GitHub Desktop. 
    Trapped Water Algorithm
  
        
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
  | import java.util.stream.IntStream; | |
| import java.util.Arrays; | |
| // O(n^2) solution to the Trapped Water Problem | |
| // @see https://techdevguide.withgoogle.com/paths/advanced/volume-of-water/ | |
| public class TrappedWater { | |
| public static void main(String args[]) { | |
| int[] sampleTopography = { 1,3,2,4,1,3,1,4,5,2,2,1,4,2,2 }; | |
| int trappedWaterVolume = getTrappedWater(sampleTopography); | |
| System.out.println("Volume of trapped water = " + trappedWaterVolume); | |
| } | |
| public static int getTrappedWater(int[] topography) { | |
| int volume[] = new int[topography.length]; | |
| for (int i = 1; i < topography.length - 1; i++) { | |
| int height = topography[i]; | |
| int tallestLeft = getTallestLeft(topography, i); | |
| int tallestRight = getTallestRight(topography, i); | |
| volume[i] = Math.max(0, Math.min(tallestLeft, tallestRight) - height); | |
| } | |
| return IntStream.of(volume).sum(); | |
| } | |
| public static int getTallestLeft(int[] topography, int index) { | |
| int max = topography[0]; | |
| for (int i = 0; i < index; i++) { | |
| if (topography[i] > max) { | |
| max = topography[i]; | |
| } | |
| } | |
| return max; | |
| } | |
| public static int getTallestRight(int[] topography, int index) { | |
| int max = topography[topography.length - 1]; | |
| for (int i = topography.length - 1; i >= index; i--) { | |
| if (topography[i] > max) { | |
| max = topography[i]; | |
| } | |
| } | |
| return max; | |
| } | |
| } | 
  
    Sign up for free
    to join this conversation on GitHub.
    Already have an account?
    Sign in to comment