英文原文
Given an integer array nums
, move all 0
's to the end of it while maintaining the relative order of the non-zero elements.
Note that you must do this in-place without making a copy of the array.
Example 1:
Input: nums = [0,1,0,3,12] Output: [1,3,12,0,0]
Example 2:
Input: nums = [0] Output: [0]
Constraints:
1 <= nums.length <= 104
-231 <= nums[i] <= 231 - 1
Follow up: Could you minimize the total number of operations done?
中文题目
给定一个数组 nums
,编写一个函数将所有 0
移动到数组的末尾,同时保持非零元素的相对顺序。
示例:
输入:[0,1,0,3,12]
输出:[1,3,12,0,0]
说明:
- 必须在原数组上操作,不能拷贝额外的数组。
- 尽量减少操作次数。
通过代码
高赞题解
两次遍历
我们创建两个指针i
和j
,第一次遍历的时候指针j
用来记录当前有多少非0
元素。即遍历的时候每遇到一个非0
元素就将其往数组左边挪,第一次遍历完后,j
指针的下标就指向了最后一个非0
元素下标。
第二次遍历的时候,起始位置就从j
开始到结束,将剩下的这段区域内的元素全部置为0
。
动画演示:
{:width=”450px”}{:align=”center”}
时间复杂度: O(n)
空间复杂度: O(1)
代码实现:
class Solution {
public void moveZeroes(int[] nums) {
if(nums==null) {
return;
}
//第一次遍历的时候,j指针记录非0的个数,只要是非0的统统都赋给nums[j]
int j = 0;
for(int i=0;i<nums.length;++i) {
if(nums[i]!=0) {
nums[j++] = nums[i];
}
}
//非0元素统计完了,剩下的都是0了
//所以第二次遍历把末尾的元素都赋为0即可
for(int i=j;i<nums.length;++i) {
nums[i] = 0;
}
}
}
class Solution(object):
def moveZeroes(self, nums):
"""
:type nums: List[int]
:rtype: None Do not return anything, modify nums in-place instead.
"""
if not nums:
return 0
# 第一次遍历的时候,j指针记录非0的个数,只要是非0的统统都赋给nums[j]
j = 0
for i in xrange(len(nums)):
if nums[i]:
nums[j] = nums[i]
j += 1
# 非0元素统计完了,剩下的都是0了
# 所以第二次遍历把末尾的元素都赋为0即可
for i in xrange(j,len(nums)):
nums[i] = 0
一次遍历
这里参考了快速排序的思想,快速排序首先要确定一个待分割的元素做中间点x
,然后把所有小于等于x
的元素放到x的左边,大于x的元素放到其右边。
这里我们可以用0
当做这个中间点,把不等于0(注意题目没说不能有负数)的放到中间点的左边,等于0的放到其右边。
这的中间点就是0
本身,所以实现起来比快速排序简单很多,我们使用两个指针i
和j
,只要nums[i]!=0
,我们就交换nums[i]
和nums[j]
请对照动态图来理解:
{:width=”450px”}{:align=”center”}
时间复杂度: O(n)
空间复杂度: O(1)
代码实现:
class Solution {
public void moveZeroes(int[] nums) {
if(nums==null) {
return;
}
//两个指针i和j
int j = 0;
for(int i=0;i<nums.length;i++) {
//当前元素!=0,就把其交换到左边,等于0的交换到右边
if(nums[i]!=0) {
int tmp = nums[i];
nums[i] = nums[j];
nums[j++] = tmp;
}
}
}
}
class Solution(object):
def moveZeroes(self, nums):
"""
:type nums: List[int]
:rtype: None Do not return anything, modify nums in-place instead.
"""
if not nums:
return 0
# 两个指针i和j
j = 0
for i in xrange(len(nums)):
# 当前元素!=0,就把其交换到左边,等于0的交换到右边
if nums[i]:
nums[j],nums[i] = nums[i],nums[j]
j += 1
(全文完)
欢迎关注 👉👉👉 我 👈👈👈
如果能再点个赞 👍👍 就更感激啦 💓💓
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
553132 | 863737 | 64.0% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|
相似题目
题目 | 难度 |
---|---|
移除元素 | 简单 |