Day79 旋转数组

作者: Shimmer_ | 来源:发表于2021-04-16 23:43 被阅读0次

    给定一个数组,将数组中的元素向右移动 k 个位置,其中 k 是非负数

    尽可能想出更多的解决方案,至少有三种不同的方法可以解决这个问题。
    你可以使用空间复杂度为 O(1) 的 原地 算法解决这个问题吗?

    https://leetcode-cn.com/problems/rotate-array/

    示例1:

    输入: nums = [1,2,3,4,5,6,7], k = 3
    输出: [5,6,7,1,2,3,4]
    解释:
    向右旋转 1 步: [7,1,2,3,4,5,6]
    向右旋转 2 步: [6,7,1,2,3,4,5]
    向右旋转 3 步: [5,6,7,1,2,3,4]

    示例2:

    输入:nums = [-1,-100,3,99], k = 2
    输出:[3,99,-1,-100]
    解释:
    向右旋转 1 步: [99,-1,-100,3]
    向右旋转 2 步: [3,99,-1,-100]

    提示:

    1 <= nums.length <= 2 * 104
    -231 <= nums[i] <= 231 - 1
    0 <= k <= 105

    Java解法

    思路:

    • 最简单的处理,每次移动一步,移动N次,成功执行,但步骤太死时间超时

      public static void rotate(int[] nums, int k) {
          if (nums==null|nums.length==0) {
              return;
          }
          while (k>0){
              int temp = nums[0];
              int length = nums.length;
              for (int i = 0; i < length-1; i++) {
                  int t1 = nums[i + 1];
                  nums[i + 1] = temp;
                  temp = t1;
              }
              nums[0] = temp;
              k--;
          }
      }
      
    • 使用额外数组记录存储

      public static void rotate(int[] nums, int k) {
          if (nums == null | nums.length == 0) {
              return;
          }
          int length = nums.length;
          int[] newNums = new int[length];
          for (int i = 0; i < length; i++) {
              newNums[(i+k)%length]=nums[i];
          }
          System.arraycopy(newNums,0,nums,0,length);
      }
      
      
      image

    官方解

    https://leetcode-cn.com/problems/rotate-array/solution/xuan-zhuan-shu-zu-by-leetcode-solution-nipk/

    1. 使用额外的数组:比较简单

    2. 环状替换:每次交换的位置都会回到当前位置,这样可以遍历,直到所有位置都经历交换

    3. 数组翻转:这个很6,在移动k点的位置进行前后交换再翻转,再对位置进行翻转即可

      操作 结果
      原始数组 1234567 1 2 3 4 5 6 7
      翻转所有元素 7654321 7 6 5 4 3 2 1
      翻转 0, k\bmod n - 1 区间的元素 5674321 5 6 7 4 3 2 1
      翻转 k\bmod n, n - 1 区间的元素 5671234 5 6 7 1 2 3 4

    相关文章

      网友评论

        本文标题:Day79 旋转数组

        本文链接:https://www.haomeiwen.com/subject/aynylltx.html