2 minute read
Finally, they've made Arrays easy to work with in ES2015. I can't believe I'm saying this. It's great! I kind of feel like ES2015 represents years of pent up anger over developers having to manually traverse Arrays using For loops. Check these changes out:
Enables you to convert other data types into arrays.
// Convert array-like-objects into arrays
var divs = document.getElementsByTagName("div")
var converted = Array.from(divs)
// Convert different types of objects into arrays
var firstSet = new Set([1,2,3,4,3,2,1]) // {1,2,3,4}
var arrayFromSet = Array.from(firstSet) // [1,2,3,4]
New method that can be invoked on arrays:
No longer necessary to use a For loop to find an individual value inside of an array!
let movies = [{title: "Jaws", year: 1975}, {title: "Jurassic Park", year: 1993}, {title: "Saving Private Ryan", year: 1998}]
movies.find(function(val) {
return val.year === 1975
}) // { title: 'Jaws', year: 1975 }
You can do the same with findIndex, except that this function returns and index or -1 if the value is not present:
let movies = [{title: "Jaws", year: 1975}, {title: "Jurassic Park", year: 1993}, {title: "Saving Private Ryan", year: 1998}]
movies.findIndex(function(val) {
return val.year === 1998
}) // 2 (the index of the 3rd item in the array)
ES2015 feels like JavaScript's triple scoop waffle icecream cone--it has so much syntactic sugar! One scoop of the cone is the For...Of Loop. This type of loop is particularly useful for iterating over arrays. In code, an example looks like this:
var stooges = ["Larry","Moe","Curly"];
for(let member of stooges){
console.log(member);
}
// Larry
// Moe
// Curly
Well, it depends on a new function that is part of the array object called Symbol.iterator. This is really important, because it means this style of loop will not work on generic objects. For...of can only be used on a data structure that has the Symbol.iterator implemented.