题目来源于leetcode移动0
var moveZeroes = function(nums) {
//双重for循环
for(let i = 0; i < nums.length - 1; i++){
for(let j = 0 ; j < nums.length -1 ;j++){
if(nums[j] == 0){
nums[j] = nums[j+1]
nums[j+1] = 0
}
}
}
//快慢指针
let fast = 0 , slow = 0;
while(fast < nums.length){
if(nums[fast] != 0){
nums[slow++] = nums[fast]
}
fast++
}
while(slow<nums.length){
nums[slow++] = 0
}
// 使用API
let n = nums.length
let arr = nums.filter(item=>item!=0)
arr = arr.concat(new Array(n-arr.length).fill(0))
for(let i = 0 ; i < n; i++){
nums[i] = arr[i]
}
};