Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
887 views
in Technique[技术] by (71.8m points)

javascript - Get the last non-null element of an array

Having an array like this

myArray = ["test", 32.5, 11.3, 0.65, 533.2, null, 423.2, null, null];

is there a way to get the last non-null element?

In this case it should be 423.2.

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

The easiest way of doing this is to filter out the null items using .filter, and then get the last element using .slice:

lastNonNull = myArray.filter(x => x != null).slice(-1)[0]
console.log(lastNonNull) // 432.2

To break this down a bit:

myArray
    .filter(x => x != null)    // returns ["test", 32.5, 11.3, 0.65, 533.2, 423.2]
    .slice(-1)                 // returns [423.2]
    [0]                        // returns 423.2 

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...