含まれるアイテムの順序に関係なく、2つのDictionary<string, string>
インスタンスの内容を比較したい。 SequenceEquals
も順序を比較するため、最初にキーで辞書を順序付けしてからSequenceEquals
を呼び出します。
内容を比較するだけのSequenceEquals
の代わりに使用できる方法はありますか?
ない場合、これはこれを行うための理想的な方法ですか?
Dictionary<string, string> source = new Dictionary<string, string>();
Dictionary<string, string> target = new Dictionary<string, string>();
source["foo"] = "bar";
source["baz"] = "zed";
source["blah"] = null;
target["baz"] = "zed";
target["blah"] = null;
target["foo"] = "bar";
// sequenceEquals will be false
var sequenceEqual = source.SequenceEqual(target);
// contentsEqual will be true
var contentsEqual = source.OrderBy(x => x.Key).SequenceEqual(target.OrderBy(x => x.Key));
var contentsEqual = source.DictionaryEqual(target);
// ...
public static bool DictionaryEqual<TKey, TValue>(
this IDictionary<TKey, TValue> first, IDictionary<TKey, TValue> second)
{
return first.DictionaryEqual(second, null);
}
public static bool DictionaryEqual<TKey, TValue>(
this IDictionary<TKey, TValue> first, IDictionary<TKey, TValue> second,
IEqualityComparer<TValue> valueComparer)
{
if (first == second) return true;
if ((first == null) || (second == null)) return false;
if (first.Count != second.Count) return false;
valueComparer = valueComparer ?? EqualityComparer<TValue>.Default;
foreach (var kvp in first)
{
TValue secondValue;
if (!second.TryGetValue(kvp.Key, out secondValue)) return false;
if (!valueComparer.Equals(kvp.Value, secondValue)) return false;
}
return true;
}
既存のメソッドがあるかどうかはわかりませんが、以下を使用できます(簡潔にするために、引数のnullチェックは省略されます)
public static bool DictionaryEquals<TKey,TValue>(
this Dictionary<TKey,TValue> left,
Dictionary<TKey,TValue> right ) {
var comp = EqualityComparer<TValue>.Default;
if ( left.Count != right.Count ) {
return false;
}
foreach ( var pair in left ) {
TValue value;
if ( !right.TryGetValue(pair.Key, out value)
|| !comp.Equals(pair.Value, value) ) {
return false;
}
}
return true;
}
オーバーロードを追加して、EqualityComparer<TValue>
。
SortedDictionary を使用する場合、自分で並べ替えを適用する必要はありません。これは少し使いやすい場合があります。
void Main()
{
var d1 = new Dictionary<string, string>
{
["a"] = "Hi there!",
["b"] = "asd",
["c"] = "def"
};
var d2 = new Dictionary<string, string>
{
["b"] = "asd",
["a"] = "Hi there!",
["c"] = "def"
};
var sortedDictionary1 = new SortedDictionary<string, string>(d1);
var sortedDictionary2 = new SortedDictionary<string, string>(d2);
if (sortedDictionary1.SequenceEqual(sortedDictionary2))
{
Console.WriteLine("Match!");
}
else
{
Console.WriteLine("Not match!");
}
}