Move object from one array to another

后端 未结 3 1107
暗喜
暗喜 2021-01-13 23:07

i have one object that one of the properties is an array of objects, the idea is to move objects from that array to no new one if one condition is true.

publ         


        
3条回答
  •  醉话见心
    2021-01-14 00:06

    This is the way You do it:

    var array1 = [1, 2, 3, 4, 5];
    var array2 = [];
    
    array1.forEach(function(elem, index) {
      array1.splice(index, 1);
      array2.push(elem);
    });
    
    console.log(array1); //[2, 4]
    console.log(array2); //[1, 3, 5]

    This is an example of how it can be done:

    var array1 = [1, 2, 3, 4, 5];
    var array2 = [];
    
    for(var i = 0; i < array1.length; i++) {
      array2.push(array1[i]);
      array1.splice(i, 1);
      i--; //decrement i IF we remove an item
    }
    
    console.log(array1); //[]
    console.log(array2); //[1, 2, 3, 4, 5]

    Specific use-case for you:

    let messages = this.ticket.messages;
    for(let i = 0; i < messages.length; i++) {
      let message = messages[i];
      if (message.type === "comment") {
        this.comments.push(message);
        messages.splice(i, 1);
        i--;
      }
    }
    

提交回复
热议问题