Deep comparison of objects/arrays [duplicate]

匿名 (未验证) 提交于 2019-12-03 02:08:02

问题:

Possible Duplicate:
How do you determine equality for two JavaScript objects?
Object comparison in JavaScript

If I have two arrays or objects and want to compare them, such as

object1 = [  { shoes:    [ 'loafer', 'penny' ]   },   { beers:      [ 'budweiser', 'busch' ]   } ]  object2 = [  { shoes:    [ 'loafer', 'penny' ]   },   { beers:      [ 'budweiser', 'busch' ]   } ]  object1 == object2 // false 

this can be annoying if you're getting a response from a server and trying to see if it's changed

回答1:

Update:
In response to the comments and worries surrounding the original suggestion (comparing 2 JSON strings), you could use this function:

function compareObjects(o, p) {     var i,         keysO = Object.keys(o).sort(),         keysP = Object.keys(p).sort();     if (keysO.length !== keysP.length)         return false;//not the same nr of keys     if (keysO.join('') !== keysP.join(''))         return false;//different keys     for (i=0;i<keysO.length;++i)     {         if (o[keysO[i]] instanceof Array)         {             if (!(p[keysO[i]] instanceof Array))                 return false;             //if (compareObjects(o[keysO[i]], p[keysO[i]] === false) return false             //would work, too, and perhaps is a better fit, still, this is easy, too             if (p[keysO[i]].sort().join('') !== o[keysO[i]].sort().join(''))                 return false;         }         else if (o[keysO[i]] instanceof Date)         {             if (!(p[keysO[i]] instanceof Date))                 return false;             if ((''+o[keysO[i]]) !== (''+p[keysO[i]]))                 return false;         }         else if (o[keysO[i]] instanceof Function)         {             if (!(p[keysO[i]] instanceof Function))                 return false;             //ignore functions, or check them regardless?         }         else if (o[keysO[i]] instanceof Object)         {             if (!(p[keysO[i]] instanceof Object))                 return false;             if (o[keysO[i]] === o)             {//self reference?                 if (p[keysO[i]] !== p)                     return false;             }             else if (compareObjects(o[keysO[i]], p[keysO[i]]) === false)                 return false;//WARNING: does not deal with circular refs other than ^^         }         if (o[keysO[i]] !== p[keysO[i]])//change !== to != for loose comparison             return false;//not the same value     }     return true; } 

But in many cases, it needn't be that difficult IMO:

JSON.stringify(object1) === JSON.stringify(object2); 

If the stringified objects are the same, their values are alike.
For completeness' sake: JSON simply ignores functions (well, removes them all together). It's meant to represent Data, not functionality.
Attempting to compare 2 objects that contain only functions will result in true:

JSON.stringify({foo: function(){return 1;}}) === JSON.stringify({foo: function(){ return -1;}}); //evaulutes to: '{}' === '{}' //is true, of course 

For deep-comparison of objects/functions, you'll have to turn to libs or write your own function, and overcome the fact that JS objects are all references, so when comparing o1 === ob2 it'll only return true if both variables point to the same object...

As @a-j pointed out in the comment:

JSON.stringify({a: 1, b: 2}) === JSON.stringify({b: 2, a: 1}); 

is false, as both stringify calls yield "{"a":1,"b":2}" and "{"b":2,"a":1}" respectively. As to why this is, you need to understand the internals of chrome's V8 engine. I'm not an expert, and without going into too much detail, here's what it boils down to:

Each object that is created, and each time it is modified, V8 creates a new hidden C++ class (sort of). If object X has a property a, and another object has the same property, both these JS objects will reference a hidden class that inherits from a shared hidden class that defines this property a. If two objects all share the same basic properties, then they will all reference the same hidden classes, and JSON.stringify will work exactly the same on both objects. That's a given (More details on V8's internals here, if you're interested).

However, in the example pointed out by a-j, both objects are stringified differently. How come? Well, put simply, these objects never exist at the same time:

JSON.stringify({a: 1, b: 2}) 

This is a function call, an expression that needs to be resolved to the resulting value before it can be compared to the right-hand operand. The second object literal isn't on the table yet.
The object is stringified, and the exoression is resolved to a string constant. The object literal isn't being referenced anywhere and is flagged for garbage collection.
After this, the right hand operand (the JSON.stringify({b: 2, a: 1}) expression) gets the same treatment.

All fine and dandy, but what also needs to be taken into consideration is that JS engines now are far more sophisticated than they used to be. Again, I'm no V8 expert, but I think its plausible that a-j's snippet is being heavily optimized, in that the code is optimized to:

"{"b":2,"a":1}" === "{"a":1,"b":2}" 

Essentially omitting the JSON.stringify calls all together, and just adding quotes in the right places. That is, after all, a lot more efficient.



回答2:

As an underscore mixin:

in coffee-script:

_.mixin deepEquals: (ar1, ar2) ->      # typeofs should match     return false unless (_.isArray(ar1) and _.isArray(ar2)) or (_.isObject(ar1) and _.isObject(ar2))      #lengths should match     return false if ar1.length != ar2.length      still_matches = true      _fail = -> still_matches = false      _.each ar1, (prop1, n) =>        prop2 = ar2[n]        return if prop1 == prop2        _fail() unless _.deepEquals prop1, prop2      return still_matches 

And in javascript:

_.mixin({   deepEquals: function(ar1, ar2) {     var still_matches, _fail,       _this = this;     if (!((_.isArray(ar1) && _.isArray(ar2)) || (_.isObject(ar1) && _.isObject(ar2)))) {       return false;     }     if (ar1.length !== ar2.length) {       return false;     }     still_matches = true;     _fail = function() {       still_matches = false;     };     _.each(ar1, function(prop1, n) {       var prop2;       prop2 = ar2[n];       if (prop1 !== prop2 && !_.deepEquals(prop1, prop2)) {         _fail();       }     });     return still_matches;   } }); 


标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!