移动零

给定一个数组 nums,编写一个函数将所有 0 移动到数组的末尾,同时保持非零元素的相对顺序。

请注意 ,必须在不复制数组的情况下原地对数组进行操作。

示例 1:

输入: nums = [0,1,0,3,12]
输出: [1,3,12,0,0]
示例 2:

输入: nums = [0]
输出: [0]

提示:

1 <= nums.length <= 104
-231 <= nums[i] <= 231 - 1

进阶:你能尽量减少完成的操作次数吗?

来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/move-zeroes
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

解法1

不断将非零数向前移动。

code

class Solution {
public:
    void moveZeroes(vector<int>& nums) {
        
        for(int i = 0;i < nums.size();i ++)
        {
            if(nums[i] == 0) continue;
            else
            {
                int j = i -1;
                while(j >= 0 && nums[j] == 0) j --;
                j ++;
                swap(nums[i],nums[j]);
            }
        }
    }
};

解法2

遍历数组将非零数放到数组前面再补上零。

code

class Solution {
public:
    void moveZeroes(vector<int>& nums) {
        int index = 0;
        for(int i = 0;i < nums.size();i ++)
        {
            if(nums[i]) nums[index++] = nums[i];
        }

        for(int i = index;i < nums.size();i ++) nums[i] = 0;

        
    }
};

解法3

双指针解法。将序列划分为符合要求的左端以及不符合要求的右端,左指针指向左侧序列的右端,右指针指向右侧序列的左端,不断移动右指针,直到非零,交换两个指针,左指针加一右指针加一。

code

lass Solution {
public:
    
    void moveZeroes(vector<int>& nums) {
        int l = 0,r = 0;
        
        while(r < nums.size())
        {
            if(nums[r])
            {
                swap(nums[l],nums[r]);
                l ++;
            }
            r++;
        }
        
    }
};
posted on 2023-02-14 15:32  huangxk23  阅读(17)  评论(0)    收藏  举报