'remove trailing elements from array that are equal to zero - better way

I have very long array containing numbers. I need to remove trailing zeros from that array.

if my array will look like this:

var arr = [1,2,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0];

I want to remove everything except [1, 2, 0, 1, 0, 1].

I have created function that is doing what is expected, but I'm wondering if there is a build in function I could use.

var arr = [1,2,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0];
for(i=arr.length-1;i>=0;i--)
{
    if(arr[i]==0) 
    {
        arr.pop();
    } else {
        break;
    }
}
console.log(arr);

Can this be done better/faster?



Solution 1:[1]

var arr = [1,2,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0];

var copy = arr.slice(0);
var len = Number(copy.reverse().join('')).toString().length;
arr.length = len;

arr -> [1, 2, 0, 1, 0, 1]

how it works

copy.reverse().join('') becomes "00000000000000000101021"

when you convert a numerical string to number all the preceding zeroes are kicked off

var len  = Number(copy.reverse().join('')) becomes 101021

now by just counting the number i know from where i have to remove the trailing zeroes and the fastest way to delete traling elements is by resetting the length of the array.

arr.length = len;

DEMO

Solution 2:[2]

const arr = [0,0,0,1,2,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0];

My solution is:

arr.join('').replace(/0+$/g,'').split('').map(Number);

It will remove trailing zeros in the given array.

Result is [0,0,0,1,2,0,1,0,1];

If you also needed to remove leading zeros, you can adjust the regex like this:

arr.join('').replace(/^0+|0+$/g,'').split('').map(Number);

Now It will remove not only trailing zeros, but leading zeros too.

Result is [1,2,0,1,0,1];

Solution 3:[3]

Accepted answer is perfectly well. Just for fun here is a reducing approach.

var a = [1,0,1,0,1,0,1,2,3,4,5,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0];
    f = a => { var b = true;
               return a.reduceRight((r,n,i) => ( b ? n && ( b = false
                                                          , r[i] = n
                                                          )
                                                   : r[i] = n
                                               , r
                                               )         
                                   , []
                                   );
             };
console.log(f(a));

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1
Solution 2 mo3n
Solution 3