An efficient way to get the difference between two arrays of objects?

后端 未结 4 1077
长发绾君心
长发绾君心 2020-12-01 08:27

I have two arrays of objects:

var a = [  {\'id\': 20},   {\'id\': 15},   {\'id\': 10},   {\'id\': 17},   {\'id\': 23}  ];

var b = [ {\'id\': 90},   {\'id\         


        
4条回答
  •  天命终不由人
    2020-12-01 08:55

    // Make hashtable of ids in B
    var bIds = {}
    b.forEach(function(obj){
        bIds[obj.id] = obj;
    });
    
    // Return all elements in A, unless in B
    return a.filter(function(obj){
        return !(obj.id in bIds);
    });
    

    very minor addendum: If the lists are very large and you wish to avoid the factor of 2 extra memory, you could store the objects in a hashmap in the first place instead of using lists, assuming the ids are unique: a = {20:{etc:...}, 15:{etc:...}, 10:{etc:...}, 17:{etc:...}, 23:{etc:...}}. I'd personally do this. Alternatively: Secondly, javascript sorts lists in-place so it doesn't use more memory. e.g. a.sort((x,y)=>x.id-y.id) Sorting would be worse than the above because it's O(N log(N)). But if you had to sort it anyway, there is an O(N) algorithm that involves two sorted lists: namely, you consider both lists together, and repeatedly take the leftmost (smallest) element from the lists (that is examine, then increment a pointer/bookmark from the list you took). This is just like merge sort but with a little bit more care to find identical items... and maybe pesky to code. Thirdly, if the lists are legacy code and you want to convert it to a hashmap without memory overhead, you can also do so element-by-element by repeatedly popping the elements off of the lists and into hashmaps.

提交回复
热议问题