尋ねられたように、これは再帰的なオブジェクト比較関数です。そしてもう少し。このような機能の主な用途はオブジェクトの検査だとすると、言いたいことがあります。完全な深い比較は、いくつかの違いが無関係である場合、悪い考えです。たとえば、TDDアサーションのブラインドディープ比較はテストを不必要に脆弱にします。そのため、より価値の高い部分差分を導入したいと思います。これは、このスレッドへの以前の貢献の再帰的な類似物です。これは、中にキーが存在しない無視するA
var bdiff = (a, b) =>
_.reduce(a, (res, val, key) =>
res.concat((_.isPlainObject(val) || _.isArray(val)) && b
? bdiff(val, b[key]).map(x => key + '.' + x)
: (!b || val != b[key] ? [key] : [])),
[]);
BDiffを使用すると、他のプロパティを許容しながら期待値をチェックできます。これは、自動検査に必要なものです。これにより、あらゆる種類の高度なアサーションを構築できます。例えば:
var diff = bdiff(expected, actual);
// all expected properties match
console.assert(diff.length == 0, "Objects differ", diff, expected, actual);
// controlled inequality
console.assert(diff.length < 3, "Too many differences", diff, expected, actual);
完全なソリューションに戻ります。bdiffを使用して完全な従来のdiffを作成するのは簡単です。
function diff(a, b) {
var u = bdiff(a, b), v = bdiff(b, a);
return u.filter(x=>!v.includes(x)).map(x=>' < ' + x)
.concat(u.filter(x=>v.includes(x)).map(x=>' | ' + x))
.concat(v.filter(x=>!u.includes(x)).map(x=>' > ' + x));
};
2つの複雑なオブジェクトに対して上記の関数を実行すると、次のようなものが出力されます。
[
" < components.0.components.1.components.1.isNew",
" < components.0.cryptoKey",
" | components.0.components.2.components.2.components.2.FFT.min",
" | components.0.components.2.components.2.components.2.FFT.max",
" > components.0.components.1.components.1.merkleTree",
" > components.0.components.2.components.2.components.2.merkleTree",
" > components.0.components.3.FFTResult"
]
最後に、値がどのように異なるかを垣間見るために、diff出力を直接eval()したいと思うかもしれません。そのために、私たちはの醜いバージョン必要bdiffをその出力構文的に正しいパスを:
// provides syntactically correct output
var bdiff = (a, b) =>
_.reduce(a, (res, val, key) =>
res.concat((_.isPlainObject(val) || _.isArray(val)) && b
? bdiff(val, b[key]).map(x =>
key + (key.trim ? '':']') + (x.search(/^\d/)? '.':'[') + x)
: (!b || val != b[key] ? [key + (key.trim ? '':']')] : [])),
[]);
// now we can eval output of the diff fuction that we left unchanged
diff(a, b).filter(x=>x[1] == '|').map(x=>[x].concat([a, b].map(y=>((z) =>eval('z.' + x.substr(3))).call(this, y)))));
これは次のようなものを出力します:
[" | components[0].components[2].components[2].components[2].FFT.min", 0, 3]
[" | components[0].components[2].components[2].components[2].FFT.max", 100, 50]
MITライセンス;)