关于java:LeetCode283移动零

26次阅读

共计 1013 个字符,预计需要花费 3 分钟才能阅读完成。

挪动零

题目形容:给定一个数组 nums,编写一个函数将所有 0 挪动到数组的开端,同时放弃非零元素的绝对程序。

示例阐明请见 LeetCode 官网。

起源:力扣(LeetCode)
链接:https://leetcode-cn.com/probl…
著作权归领扣网络所有。商业转载请分割官网受权,非商业转载请注明出处。

解法一:数组遍历

首先,申明一个变量 theLastNotZeroPos 用来记录最初一个非 0 的地位,而后从后往前遍历数组 nums,如果数组的元素等于 0,则须要进行如下解决:

  • 如果以后地位等于 theLastNotZeroPos,则将 theLastNotZeroPos 减一,持续遍历下一个元素;
  • 如果以后地位不等于 theLastNotZeroPos,则将以后地位的后一位到 theLastNotZeroPos 的所有元素全副前移一位,而后想 theLastNotZeroPos 地位的元素改为 0,并且将 theLastNotZeroPos 减一,而后解决下一个元素。

遍历实现后,即为挪动后的后果。

public class LeetCode_283 {public static void moveZeroes(int[] nums) {
        // 最初一个非 0 的地位
        int theLastNotZeroPos = nums.length - 1;
        for (int i = nums.length - 1; i >= 0; i--) {if (nums[i] == 0) {if (i != theLastNotZeroPos) {for (int j = i; j < theLastNotZeroPos; j++) {nums[j] = nums[j + 1];
                    }
                    nums[theLastNotZeroPos] = 0;
                }
                theLastNotZeroPos--;
            }
        }
    }

    public static void main(String[] args) {int[] nums = new int[]{0, 1, 0, 3, 12};
        System.out.println("----- 挪动前 -----");
        for (int num : nums) {System.out.print(num + " ");
        }
        System.out.println();
        moveZeroes(nums);
        System.out.println("----- 挪动后 -----");
        for (int num : nums) {System.out.print(num + " ");
        }
    }
}

【每日寄语】 生存的不确定性,正是咱们心愿的起源。

正文完
 0