给定一个数组nums,编写一个函数将所有0移动到数组的末尾,同时保持非零元素的相对顺序,用C++,并写出完整代码
时间: 2024-10-27 22:13:38 浏览: 12
c++-c++编程基础之leetcode题解第31题下一个排列.zip
在 C++ 中,你可以使用双指针技巧来解决这个问题。这里有一个简单的实现思路:
```cpp
#include <vector>
using namespace std;
void moveZeroes(vector<int>& nums) {
int zero = 0; // 记录0的位置
for (int i = 0; i < nums.size(); ++i) { // 遍历数组
if (nums[i] == 0) {
swap(nums[i], nums[zero]); // 将0交换到0位置
++zero; // 移动指针到下一个0的位置
} else {
// 如果遇到非零元素,直接跳过
}
}
// 把剩余的0填满数组末尾
while (zero < nums.size()) {
nums[zero++] = 0;
}
}
// 测试例子
int main() {
vector<int> nums = {0, 1, 0, 3, 12};
moveZeroes(nums);
for (int num : nums) {
cout << num << " ";
}
return 0;
}
```
当你运行 `main` 函数,它会输出:`1 3 12 0 0`,可以看到所有的0都被移动到了数组的末尾。
阅读全文