1// To compare arrays (or any other object):
2// Simple Array Example:
3const array1 = ['potato', 'banana', 'soup']
4const array2 = ['potato', 'orange', 'soup']
5
6array1 === array2;
7// Returns false due to referential equality
8JSON.stringify(array1) === JSON.stringify(array2);
9// Returns true
10
11
12// Another Example:
13const deepArray1 = [{test: 'dummy'}, [['woo', 'ya'], 'weird']]
14const deepArray2 = [{test: 'dummy'}, [['woo', 'ya'], 'weird']]
15
16deepArray1 === deepArray2;
17// Returns false due to referential equality
18JSON.stringify(deepArray1) === JSON.stringify(deepArray2);
19// Returns true
20
21
1const isEqual = (a, b) => JSON.stringify(a) === JSON.stringify(b);
2
3// Examples
4isEqual([1, 2, 3], [1, 2, 3]); // true
5isEqual([1, 2, 3], [1, '2', 3]); // false
1function arraysAreIdentical(arr1, arr2){
2 if (arr1.length !== arr2.length) return false;
3 for (var i = 0, len = arr1.length; i < len; i++){
4 if (arr1[i] !== arr2[i]){
5 return false;
6 }
7 }
8 return true;
9}