Filter Array Not in Another Array

后端 未结 2 1244
一整个雨季
一整个雨季 2020-12-10 00:36

Need to filter one array based on another array. Is there a util function in knock out ? else i need to go with javascript

First :

var obj1 = [{
           


        
相关标签:
2条回答
  • 2020-12-10 01:13

    To create your output array, create a function that will iterate through obj1 and populate a new array based on whether the id of every obj in the iteration exists in obj2.

    var obj1 = [{
        "visible": "true",
        "id": 1
    }, {
        "visible": "true",
        "id": 2
    }, {
        "visible": "true",
        "id": 3
    }, {
        "Name": "Test3",
        "id": 4
    }];
    
    var obj2 = [2,3]
    
    var select = function(arr) {
      var newArr = [];
      obj1.forEach(function(obj) {
        if obj2.indexOf(obj.id) !== -1 {
          newArr.push(obj)
        };
      };
      return newArr;
    };
    
    0 讨论(0)
  • 2020-12-10 01:29

    You can simply run through obj1 using filter and use indexOf on obj2 to see if it exists. indexOf returns -1 if the value isn't in the array, and filter includes the item when the callback returns true.

    var arr = obj1.filter(function(item){
      return obj2.indexOf(item.id) === -1;
    });
    

    With newer ES syntax and APIs, it becomes simpler:

    const arr = obj1.filter(i => !obj2.includes(i.id))
    
    0 讨论(0)
提交回复
热议问题