Press n or j to go to the next uncovered block, b, p or k for the previous block.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 | 10x 20x 7x 13x 1x 12x 1x 11x 11x 11x 1x 10x 14x 5x 5x | /**
* Check if 2 objects/values are deeply equal. Doesn't work with circular references.
*
* @example ```ts
* const value1 = 10;
* const value2 = 10;
* console.log(deepEqual(value1, value2)); // Output: true
*
* const obj1 = {a: 1, b: 2};
* const obj2 = {a: 1, b: 2};
* console.log(deepEqual(obj1, obj2)); // Output: true
*
* const obj1 = {a: 1, b: 2};
* const obj2 = {a: 1, b: 3};
* console.log(deepEqual(obj1, obj2)); // Output: false
*
* const obj1 = {a: 1, b: 2};
* const obj2 = {a: 1, c: 2};
* console.log(deepEqual(obj1, obj2)); // Output: false
* ```
*/
export const deepEqual = (obj1: any, obj2: any) => {
if (obj1 === obj2) {
// The objects are the same object
return true
} else if (typeof obj1 !== typeof obj2) {
// The objects are of different types
return false
} else if (typeof obj1 !== 'object' || obj1 === null || obj2 === null) {
// The objects are not objects or one of them is null
return obj1 === obj2
} else {
// Compare object properties recursively
const keys1 = Object.keys(obj1)
const keys2 = Object.keys(obj2)
if (keys1.length !== keys2.length) {
// The objects have different numbers of properties
return false
}
for (const key of keys1) {
if (!keys2.includes(key) || !deepEqual(obj1[key], obj2[key])) {
// The objects have different keys or values
return false
}
}
return true
}
}
|