Object comparison in JavaScript [duplicate] Object comparison in JavaScript [duplicate] javascript javascript

Object comparison in JavaScript [duplicate]


Unfortunately there is no perfect way, unless you use _proto_ recursively and access all non-enumerable properties, but this works in Firefox only.

So the best I can do is to guess usage scenarios.


1) Fast and limited.

Works when you have simple JSON-style objects without methods and DOM nodes inside:

 JSON.stringify(obj1) === JSON.stringify(obj2) 

The ORDER of the properties IS IMPORTANT, so this method will return false for following objects:

 x = {a: 1, b: 2}; y = {b: 2, a: 1};

2) Slow and more generic.

Compares objects without digging into prototypes, then compares properties' projections recursively, and also compares constructors.

This is almost correct algorithm:

function deepCompare () {  var i, l, leftChain, rightChain;  function compare2Objects (x, y) {    var p;    // remember that NaN === NaN returns false    // and isNaN(undefined) returns true    if (isNaN(x) && isNaN(y) && typeof x === 'number' && typeof y === 'number') {         return true;    }    // Compare primitives and functions.         // Check if both arguments link to the same object.    // Especially useful on the step where we compare prototypes    if (x === y) {        return true;    }    // Works in case when functions are created in constructor.    // Comparing dates is a common scenario. Another built-ins?    // We can even handle functions passed across iframes    if ((typeof x === 'function' && typeof y === 'function') ||       (x instanceof Date && y instanceof Date) ||       (x instanceof RegExp && y instanceof RegExp) ||       (x instanceof String && y instanceof String) ||       (x instanceof Number && y instanceof Number)) {        return x.toString() === y.toString();    }    // At last checking prototypes as good as we can    if (!(x instanceof Object && y instanceof Object)) {        return false;    }    if (x.isPrototypeOf(y) || y.isPrototypeOf(x)) {        return false;    }    if (x.constructor !== y.constructor) {        return false;    }    if (x.prototype !== y.prototype) {        return false;    }    // Check for infinitive linking loops    if (leftChain.indexOf(x) > -1 || rightChain.indexOf(y) > -1) {         return false;    }    // Quick checking of one object being a subset of another.    // todo: cache the structure of arguments[0] for performance    for (p in y) {        if (y.hasOwnProperty(p) !== x.hasOwnProperty(p)) {            return false;        }        else if (typeof y[p] !== typeof x[p]) {            return false;        }    }    for (p in x) {        if (y.hasOwnProperty(p) !== x.hasOwnProperty(p)) {            return false;        }        else if (typeof y[p] !== typeof x[p]) {            return false;        }        switch (typeof (x[p])) {            case 'object':            case 'function':                leftChain.push(x);                rightChain.push(y);                if (!compare2Objects (x[p], y[p])) {                    return false;                }                leftChain.pop();                rightChain.pop();                break;            default:                if (x[p] !== y[p]) {                    return false;                }                break;        }    }    return true;  }  if (arguments.length < 1) {    return true; //Die silently? Don't know how to handle such case, please help...    // throw "Need two or more arguments to compare";  }  for (i = 1, l = arguments.length; i < l; i++) {      leftChain = []; //Todo: this can be cached      rightChain = [];      if (!compare2Objects(arguments[0], arguments[i])) {          return false;      }  }  return true;}

Known issues (well, they have very low priority, probably you'll never notice them):

  • objects with different prototype structure but same projection
  • functions may have identical text but refer to different closures

Tests: passes tests are from How to determine equality for two JavaScript objects?.


Here is my ES3 commented solution (gory details after the code):

function object_equals( x, y ) {  if ( x === y ) return true;    // if both x and y are null or undefined and exactly the same  if ( ! ( x instanceof Object ) || ! ( y instanceof Object ) ) return false;    // if they are not strictly equal, they both need to be Objects  if ( x.constructor !== y.constructor ) return false;    // they must have the exact same prototype chain, the closest we can do is    // test there constructor.  for ( var p in x ) {    if ( ! x.hasOwnProperty( p ) ) continue;      // other properties were tested using x.constructor === y.constructor    if ( ! y.hasOwnProperty( p ) ) return false;      // allows to compare x[ p ] and y[ p ] when set to undefined    if ( x[ p ] === y[ p ] ) continue;      // if they have the same strict value or identity then they are equal    if ( typeof( x[ p ] ) !== "object" ) return false;      // Numbers, Strings, Functions, Booleans must be strictly equal    if ( ! object_equals( x[ p ],  y[ p ] ) ) return false;      // Objects and Arrays must be tested recursively  }  for ( p in y )    if ( y.hasOwnProperty( p ) && ! x.hasOwnProperty( p ) )      return false;        // allows x[ p ] to be set to undefined  return true;}

In developing this solution, I took a particular look at corner cases, efficiency, yet trying to yield a simple solution that works, hopefully with some elegance. JavaScript allows both null and undefined properties and objects have prototypes chains that can lead to very different behaviors if not checked.

First I have chosen to not extend Object.prototype, mostly because null could not be one of the objects of the comparison and that I believe that null should be a valid object to compare with another. There are also other legitimate concerns noted by others regarding the extension of Object.prototype regarding possible side effects on other's code.

Special care must taken to deal the possibility that JavaScript allows object properties can be set to undefined, i.e. there exists properties which values are set to undefined. The above solution verifies that both objects have the same properties set to undefined to report equality. This can only be accomplished by checking the existence of properties using Object.hasOwnProperty( property_name ). Also note that JSON.stringify() removes properties that are set to undefined, and that therefore comparisons using this form will ignore properties set to the value undefined.

Functions should be considered equal only if they share the same reference, not just the same code, because this would not take into account these functions prototype. So comparing the code string does not work to guaranty that they have the same prototype object.

The two objects should have the same prototype chain, not just the same properties. This can only be tested cross-browser by comparing the constructor of both objects for strict equality. ECMAScript 5 would allow to test their actual prototype using Object.getPrototypeOf(). Some web browsers also offer a __proto__ property that does the same thing. A possible improvement of the above code would allow to use one of these methods whenever available.

The use of strict comparisons is paramount here because 2 should not be considered equal to "2.0000", nor false should be considered equal to null, undefined, or 0.

Efficiency considerations lead me to compare for equality of properties as soon as possible. Then, only if that failed, look for the typeof these properties. The speed boost could be significant on large objects with lots of scalar properties.

No more that two loops are required, the first to check properties from the left object, the second to check properties from the right and verify only existence (not value), to catch these properties which are defined with the undefined value.

Overall this code handles most corner cases in only 16 lines of code (without comments).


Update (8/13/2015). I have implemented a better version, as the function value_equals() that is faster, handles properly corner cases such as NaN and 0 different than -0, optionally enforcing objects' properties order and testing for cyclic references, backed by more than 100 automated tests as part of the Toubkal project test suite.


  Utils.compareObjects = function(o1, o2){    for(var p in o1){        if(o1.hasOwnProperty(p)){            if(o1[p] !== o2[p]){                return false;            }        }    }    for(var p in o2){        if(o2.hasOwnProperty(p)){            if(o1[p] !== o2[p]){                return false;            }        }    }    return true;};

Simple way to compare ONE-LEVEL only objects.