记录每日LeetCode 42.接雨水 Java实现

题目描述:

给定 n 个非负整数表示每个宽度为 1 的柱子的高度图,计算按此排列的柱子,下雨之后能接多少雨水。

初始代码:

class Solution {
    public int trap(int[] height) {

    }
}

示例1:

记录每日LeetCode 42.接雨水 Java实现_第1张图片

输入:height = [0,1,0,2,1,0,1,3,2,1,2,1]
输出:6
解释:上面是由数组 [0,1,0,2,1,0,1,3,2,1,2,1] 表示的高度图,在这种情况下,可以接 6 个单位的雨水(蓝色部分表示雨水)。 

示例2:

输入:height = [4,2,0,3,2,5]
输出:9

参考答案:

// 个人认为此题双指针解法略像11题的贪心解法
class Solution {
    public int trap(int[] height) {
        // 定义左右指针
        int left = 0, right = height.length - 1;
        // 定义总和以及左右指针的最高处
        int sum = 0, leftMax = 0, rightMax = 0;
        while (left < right) {
            // 每次遍历后比较出左右指针最高处
            leftMax = Math.max(leftMax, height[left]);
            rightMax = Math.max(rightMax, height[right]);
            // 短板位移且短板与指针最高处的差距即是每次位移可接到的量
            if (height[left] < height[right]) {
                sum += leftMax - height[left++];
            } else {
                sum += rightMax - height[right--];
            }
        }
        return sum;
    }
}

你可能感兴趣的:(leetcode,算法,职场和发展)