C+完整代码给定一个数组 nums,编写一个函数将所有 0 移动到数组的末尾,同时保持非零元素的相对顺序。 请注意 ,必须在不复制数组的情况下原地对数组进行操作。
时间: 2024-10-27 21:13:56 浏览: 20
在C++中,你可以使用两个指针的方法来实现这个功能。一个指针`slow`用于遍历整个数组,另一个指针`fast`用于寻找下一个非零元素。当遇到0时,`fast`向后移动,直到找到非零元素。找到非零元素后,`slow`和`fast`交换位置,然后`slow`向前移动一位。这样可以保证非零元素始终在前,而0则会被逐渐移到数组的末尾。以下是一个完整的C++代码示例:
```cpp
#include <iostream>
void moveZeroes(int* nums, int n) {
int i = 0; // slow pointer
for (int j = 0; j < n; ++j) {
if (nums[j] != 0) {
// Swap the current non-zero element with the first position in zeros
swap(nums[i], nums[j]);
i++; // Move the slow pointer
}
}
// Fill the remaining positions with zeros
for (; i < n; ++i) {
nums[i] = 0;
}
}
int main() {
int nums[] = {0, 1, 0, 3, 12};
int n = sizeof(nums) / sizeof(nums[0]);
moveZeroes(nums, n);
for (int i = 0; i < n; ++i) {
std::cout << nums[i] << " ";
}
return 0;
}
```
运行此程序,你会看到输出是`1 3 12 0 0`,所有的0都被移动到了数组的末尾。
阅读全文