




Sponsored
Sponsored
This approach uses two pointers: one to track the position for the next non-zero element and the other to iterate through the array. We move all non-zero elements to the beginning of the array using these two pointers and fill the remaining positions with zeroes.
Time Complexity: O(n), where n is the length of the array. We make a single pass through the array.
Space Complexity: O(1), as we perform the operation in place.
1#include <vector>
2using namespace std;
3
4void moveZeroes(vector<int>& nums) {
5    int lastNonZeroFoundAt = 0;
6    for (int i = 0; i < nums.size(); i++) {
7        if (nums[i] != 0) {
8            nums[lastNonZeroFoundAt++] = nums[i];
9        }
10    }
11    for (int i = lastNonZeroFoundAt; i < nums.size(); i++) {
12        nums[i] = 0;
13    }
14}This C++ implementation follows the same logic as the C version, adjusting the syntax for the vector class. We use lastNonZeroFoundAt to overwrite non-zero values to the front and fill the rest with zeroes.
This method uses a two-pointer technique where we place one pointer at the beginning of the array and the other to iterate through the array. Whenever we encounter a non-zero element, we swap it with the first pointer's position, allowing us to effectively move zeroes to the end by swapping.
Time Complexity: O(n), single iteration with swaps.
Space Complexity: O(1), in-place swaps.
1#
This C function moves zeroes to the end by swapping elements within the array. A pointer j is used to track the location for swapping non-zero elements found during iteration.