add explanation and simpler solution to removeFromArray

This commit is contained in:
Cody Loyd 2019-04-11 10:20:29 -05:00
parent a70a2503ab
commit c0ef28a362
1 changed files with 31 additions and 5 deletions

View File

@ -1,6 +1,32 @@
var removeFromArray = function(...args) { // we have 2 solutions here, an easier one and a more advanced one.
const array = args[0] // The easiest way to get an array of all of the arguments that are passed to a function
return array.filter(val => !args.includes(val)) // is using the spread operator. If this is unfamiliar to you look it up!
} const removeFromArray = function (...args) {
// the very first item in our list of arguments is the array, we pull it out with args[0]
const array = args[0];
// create a new empty array
const newArray = [];
// use forEach to go through the array
array.forEach((item) => {
// push every element into the new array
// UNLESS it is included in the function arguments
// so we create a new array with every item, except those that should be removed
if (!args.includes(item)) {
newArray.push(item);
}
});
// and return that array
return newArray;
};
module.exports = removeFromArray
// A simpler, but more advanced way to do it is to use the 'filter' function,
// which basically does what we did with the forEach above.
// var removeFromArray = function(...args) {
// const array = args[0]
// return array.filter(val => !args.includes(val))
// }
//
module.exports = removeFromArray;