leetcode做题笔记 283移动零 python

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

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

思路:

这道题比较简单,设置指针若索引所在的值为零,则删除并计数,最后在列表末尾添加计数个数的零即可

class Solution:
    def moveZeroes(self, nums: List[int]) -> None:
        """
        Do not return anything, modify nums in-place instead.
        """
        go = count = 0

        while go < len(nums):
            if nums[go] == 0:
                nums.remove(0)
                count += 1
                go -= 1
            go += 1
        
        for i in range(count):
            nums.append(0)

你可能感兴趣的:(学习笔记,python)