Created
August 21, 2015 00:14
-
-
Save rowandh/4760416254ebc48e0780 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
using System; | |
using System.Collections.Generic; | |
using System.Reflection; | |
namespace Project | |
{ | |
/// <summary> | |
/// Generic value object equality class | |
/// Based on https://lostechies.com/jimmybogard/2007/06/25/generic-value-object-equality/ | |
/// Incldues fix for equality comparisons on subclasses | |
/// </summary> | |
/// <typeparam name="T"></typeparam> | |
public abstract class ValueObject<T> : IEquatable<T> where T: ValueObject<T> | |
{ | |
public override bool Equals(object obj) | |
{ | |
if (obj == null) | |
return false; | |
var other = obj as T; | |
return Equals(other); | |
} | |
public override int GetHashCode() | |
{ | |
var fields = GetFields(); | |
var startValue = 17; | |
var multiplier = 59; | |
var hashCode = startValue; | |
foreach (var field in fields) | |
{ | |
var value = field.GetValue(this); | |
if (value != null) | |
{ | |
hashCode = hashCode*multiplier + value.GetHashCode(); | |
} | |
} | |
return hashCode; | |
} | |
public virtual bool Equals(T other) | |
{ | |
if (other == null) | |
return false; | |
var t = GetType(); | |
var otherType = other.GetType(); | |
if (t != otherType) | |
return false; | |
var fields = GetFields(); | |
foreach (var field in fields) | |
{ | |
var value1 = field.GetValue(other); | |
var value2 = field.GetValue(this); | |
if (value1 == null) | |
{ | |
if (value2 != null) | |
return false; | |
} | |
else if (!value1.Equals(value2)) | |
{ | |
return false; | |
} | |
} | |
return true; | |
} | |
private IEnumerable<FieldInfo> GetFields() | |
{ | |
var t = GetType(); | |
var fields = new List<FieldInfo>(); | |
while (t != typeof (object)) | |
{ | |
fields.AddRange(t.GetFields(BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public)); | |
t = t.BaseType; | |
} | |
return fields; | |
} | |
public static bool operator ==(ValueObject<T> x, ValueObject<T> y) | |
{ | |
if (Equals(null, x)) | |
return true; | |
return x.Equals(y); | |
} | |
public static bool operator !=(ValueObject<T> x, ValueObject<T> y) | |
{ | |
return !(x == y); | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment