LeetCode42. 接雨水 && LeetCode48. 旋转图像

思路

用的是双指针法:

        定义两个指针left和right,从左右两边开始遍历,没移动一次就将两个指针对应位置的高度进行比较:在高度较低的一边进行加水。此时需要注意当前高度和当前部分的最大高度之间的差值就是接水的数量。然后让指针向中间移动。

        这个方法很巧妙,如果想明白了,比用其他方法简单。

代码

class Solution {
    public int trap(int[] height) {
        int left = 0;
        int right = height.length-1;
        int leftMax = 0;
        int rightMax = 0;
        int res = 0;
        while(left<right){
            if(height[left]<height[right]){
                leftMax = leftMax>height[left]?leftMax:height[left];
                res += leftMax - height[left];
                left++;
            }else{
                rightMax = rightMax>height[right]?rightMax:height[right];
                res += rightMax-height[right];
                right--;
            }
        }
        return res;

    }
}

LeetCode48. 旋转图像

思路

先沿对称轴反转然后再要中线反转即可。

代码

class Solution {
    public void rotate(int[][] matrix) {
        int temp = 0;
        for(int i =0;i<matrix.length;i++){
            for(int j = i+1;j<matrix[i].length;j++){
                temp = matrix[i][j];
                matrix[i][j] = matrix[j][i];
                matrix[j][i] = temp;
            }
        }
        for(int i = 0;i<matrix.length;i++){
            for(int j = 0;j<matrix[i].length/2;j++){
                temp = matrix[i][j];
                matrix[i][j] = matrix[i][matrix.length-1-j];
                matrix[i][matrix.length-1-j] = temp;
            }
        }    

    }
}

猜你喜欢

转载自blog.csdn.net/weixin_56640241/article/details/125153018
今日推荐