1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-20 01:56:57 +02:00
LeetCode/cs/move-zeroes.cs
Matej Focko 64008089ff
cs: add “283. Move Zeroes”
Signed-off-by: Matej Focko <mfocko@redhat.com>
2024-01-06 22:28:10 +01:00

31 lines
731 B
C#

public class Solution {
public void MoveZeroes(int[] nums) {
var i = 0;
// find first zero
while (i < nums.Length && nums[i] != 0) {
++i;
}
for (var j = i + 1; j < nums.Length; ++j) {
// we do nothing for zeroes
if (nums[j] == 0) {
continue;
}
// find first zero
while (i < nums.Length && nums[i] != 0) {
++i;
}
// no zero has been found
if (i >= nums.Length) {
break;
}
// swap them while maintaining the order
nums[i] = nums[j];
nums[j] = 0;
++i;
}
}
}