The title of this LeetCode questions is very ambiguous and does not do a great job explaining what it actually does.
All this interview question is asking you to do is move the zeros to the end of an array. That’s it.
Before:
data:image/s3,"s3://crabby-images/60525/60525b236efeb69e7ad29285e1721c208e00af01" alt=""
After:
data:image/s3,"s3://crabby-images/fdc2e/fdc2e57920aebaf284d9b0b565c4e2ef1c0d87a7" alt=""
- Key point: The elements don’t have to be sorted. All non-zero elements must retain the original value.
2-Pointer Step-By-Step (In-Place)
- Given that we are required to transform the array in-place, first we create read and write pointers using two pointer method.
- Loop through array
data:image/s3,"s3://crabby-images/953d0/953d03ee9631087fc4ff97dc884aa4921d6bbeb1" alt=""
- Check if reader finds a non-zero. If non-zero is found, swap writer with reader value.
data:image/s3,"s3://crabby-images/13773/13773dcce03cd68dac859f7e27f19dd629ec35cb" alt=""
- Increment writer
data:image/s3,"s3://crabby-images/8e509/8e509628d4ebae43d1dcd3e41993f04f1fd486a5" alt=""
- If zero is found, do not swap, don’t increment writer, and just increment reader
data:image/s3,"s3://crabby-images/f5c13/f5c137298f520b2b9bb9d57e765a28136cbb6839" alt=""
class Solution {
public void moveZeroes(int[] nums) {
//Declare two pointer
int read = 0;
int write = 0;
//Loop thru
while(read < nums.length){
//If non-zero number
if(nums[read] != 0){
//Swap
int temp = nums[reader];
nums[reader] = nums[writer];
nums[writer] = temp;
//Increment write
writer++;
}
//Increment reader regardless
reader++;
}
}
}