LeetCode283. Move Zeroes(移動零)JAVA實現
阿新 • • 發佈:2018-11-18
Given an array nums
, write a function to move all 0
's to the end of it while maintaining the relative order of the non-zero elements.
Example:
Input:[0,1,0,3,12]
Output:[1,3,12,0,0]
Note:
- You must do this in-place without making a copy of the array.
- Minimize the total number of operations.
給定一個數組 nums
,編寫一個函式將所有 0
移動到陣列的末尾,同時保持非零元素的相對順序。
示例:
輸入:[0,1,0,3,12]
輸出:[1,3,12,0,0]
說明:
- 必須在原陣列上操作,不能拷貝額外的陣列。
- 儘量減少操作次數。
實現程式碼一:
class Solution { public void moveZeroes(int[] nums) { int index = 0; for(int i=0;i<nums.length;i++){ if(nums[i]!=0) nums[index++]=nums[i]; } for(int i=index;i<nums.length;i++) nums[i]=0; } }