Skip to content Skip to sidebar Skip to footer

Move Zeroes In Array Using ES6 Features

I’m new to ES6, trying to make a function that moves all zeros in the array in the last position of the array while preserving the original order of the array E.g. [1,0,0,0,2,3,4

Solution 1:

That can be solved easily using filter function and spread operator, .

const moveZeros = arr => {
  const z = arr.filter(a => a === 0); // get all zeroes
  const nZ = arr.filter(a => a !== 0); // get all non zeroes
  return [...nZ, ...z]; // put the zeroes on the last position
};

Solution 2:

As requested in comments: what about sort?

arr.sort((a, b) => -!b)

It is for sure less performant, but hella shorter

Old

Onecompileman got an ok solution, but as OP wanted 'shorter' solution, i think we can reduce some unnecessary parts:

const moveZeros = a => [...a.filter(x => !!x), ...a.filter(x => !x)]

Solution 3:

@lucifer63 gave a short and good solution but the double not operator is both useless and confusing, removing it you'll get an improvement:

const moveZeros = z => [...z.filter(a => a), ...z.filter(a => !a)]
moveZeros([1,0,0,0,2,3,4,5])
// [1, 2, 3, 4, 5, 0, 0, 0]

Solution 4:

You could use reduceRight and if the element is 0 use push or if its not 0 use unshift.

const arr = [1,0,0,0,2,3,4,5];
const res = arr.reduceRight((r, e) => (e === 0 ? r.push(e) : r.unshift(e), r), [])
console.log(res)

Solution 5:

You could reduce the array by splicing the result array either on the actual position or at an adjusted index, which counts the not null values.

function moveZeroes(array) {
    return array.reduce((i => (r, v, j) => (r.splice(!v ? j : i++, 0, v), r))(0), []);
}

console.log(moveZeroes([1, 0, 0, 0, 2, 3, 4, 5]));

Post a Comment for "Move Zeroes In Array Using ES6 Features"