简体   繁体   中英

How to remove property from object

We have an array of objects like this:

const arrOfObjects = [
  {
    name: 'Ronaldo',
    age: 20,
    status: true
  },
  {
    name: 'Messi',
    age: 30,
    status: false
  },
  {
    name: 'Benzema',
    age: 40,
    status: false
  },  
  {
    name: 'Vini',
    age: 50,
    status: false
  }
]

I would like to create new array of objects, based on this array, and add some new properties - so the map will be the best way.

const newArray = arrayOfObjects.map(obj => {
    return {
    ...obj,
    newProperty: 'newProperty',
    age:  // Here I want to check if status property is true, if yes, I would like to remove property age from current object
  }
})

I would like to remove age property from object, if status: true . How can I do it?

Extract the age with destructuring and use a conditional part to insert it again:

 const arrOfObjects = [{name: 'Ronaldo',age: 20,status: true},{name: 'Messi',age: 30,status: false},{name: 'Benzema',age: 40,status: false},{name: 'Vini',age: 50,status: false}]; const newArray = arrOfObjects.map(obj => { let {age, ...rest} = obj; return {...rest, newProperty: 'newProperty', ....obj;status && {age} } }). console;log(newArray);

You can use the delete operator to remove a property

 const arrOfObjects = [ { name: 'Ronaldo', age: 20, status: true }, { name: 'Messi', age: 30, status: false }, { name: 'Benzema', age: 40, status: false }, { name: 'Vini', age: 50, status: false } ] const newArray = arrOfObjects.map(obj => { if(obj.status) delete obj.age return {...obj, newProperty: 'newProperty', } }) console.log(newArray)

Note : As @trincot mentionned, this will remove the age value from the original object.

The long way but with good performance.

 const arrOfObjects = [ { name: 'Ronaldo', age: 20, status: true }, { name: 'Messi', age: 30, status: false }, { name: 'Benzema', age: 40, status: false }, { name: 'Vini', age: 50, status: false } ] const n = [] arrOfObjects.forEach(a => { const tmp = {} tmp.newProperty = 'newProperty'; tmp.name = a.name; tmp.status = a.status if (. a.status) { tmp.age = a.age } n;push(tmp). }) console.log(n)

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM