Click here to Skip to main content
15,886,026 members
Articles / Programming Languages / C#

Comparing Two Objects: How Hard Can It Be?

Rate me:
Please Sign up or sign in to vote.
0.00/5 (No votes)
29 Oct 2014CPOL2 min read 9.3K   2   6
Comparing two objects: how hard can it be?

TL;DR: Comparing the values of simple objects of unknown types in .NET can be a pain. Here is the story of how I achieved it (and the code!).

This week, I had to implement a thing that saves settings for, well, something. Each setting should be saved individually, so all I had as input was the key (a string) and the value (an object). I had to treat the value as object because, coming from JSON, it could be anything, from a number (integer or not), string, date or boolean to an arbitrary map or array.

The issue was that, since the action of saving a value created a log for auditing, I didn't want to actually save it if there were no changes. That is, when the value sent is the same as the already persisted one. Easy!—I say—there should be something in the framework that does this for me. As it turns out, there isn't a safe and loose equality comparer for the object type.

'Nuff said! There is no better way of showing what I wanted than with a test suite—for which I used NUnit. First, these are the cases in which I want the values to be considered equal (or see the Gist):

C#
private readonly object[][] successCases =  
{
    new object[] {"abc", "abc"},
    new object[] {123, 123},
    new object[] {1.0, 1},
    new object[] {123, 123L},
    new object[] {123L, 123},
    new object[] {new DateTime(2014, 1, 1), new DateTime(2014, 1, 1)},
    // It is important to know that values parsed from JSON are treated correctly
    new object[] {JToken.Parse("123"), JToken.Parse("123")},
    new object[] {null, null},
};

[TestCaseSource("successCases")]
public void Success(object a, object b)  
{
    // Arrange
    var comparer = new SettingsValueEqualityComparer();

    // Act & Assert
    Assert.That(comparer.Equals(a, b), Is.True);
}

And now the cases in which values should be considered different (or see the Gist):

C#
private readonly object[][] failureCases =  
{
    new object[] {"abc", "def"},
    new object[] {"abc", 123},
    new object[] {123, "abc"},
    new object[] {123, "123"},
    new object[] {123, 456},
    new object[] {123L, 456},
    new object[] {123, 456L},
    new object[] {new DateTime(2014, 1, 1), new DateTime(2000, 12, 31)},
    new object[] {"abc", new DateTime(2000, 12, 31)},
    new object[] {new DateTime(2014, 1, 1), "abc"},
    new object[] {JToken.Parse("123"), JToken.Parse("456")},
    // arrays and objects should never be considered equal, even if they seem to be
    new object[] {JToken.Parse("[]"), JToken.Parse("[]")},
    new object[] {JToken.Parse("{}"), JToken.Parse("{}")},
    new object[] {JToken.Parse("{}"), JToken.Parse("[]")},
    new object[] {new {a = "b"}, new {a = "b"}},
    new object[] {"abc", null},
    new object[] {null, "abc"},
};

[TestCaseSource("failureCases")]
public void Failure(object a, object b)  
{
    // Arrange
    var comparer = new SettingsValueEqualityComparer();

    // Act & Assert
    Assert.That(comparer.Equals(a, b), Is.False);
}

Simple, right? Except not. The .NET Framework has 11 types of numeric values, which cannot be directly compared to one another. Also, everything that tries to compare different types throws an exception, which isn't what I want. I just want true or false, no exceptions. That said, here is the implementation that saved the day (or see the Gist):

C#
public class SettingsValueEqualityComparer : IEqualityComparer<object>  
{
    public new bool Equals(object a, object b)
    {
        // If the equality operator considers them to be equal, great!
        // Both being null should fall in this case.
        if (a == b)
            return true;

        // Now we know that at least one of them isn't null.
        // If the other is null, then the two are different.
        if (a == null || b == null)
            return false;


        // Let's see if they are both numbers. In that case, they should
        // be compared as decimals, which fits any of the other number types.
        var na = IsNumeric(a);
        var nb = IsNumeric(b);
        if (na && nb)
            return Convert.ToDecimal(a) == Convert.ToDecimal(b);

        // We found that at least one of them isn't a number.
        // If the other is, then the two are different.
        if (na || nb)
            return false;

        // Our last resort is to check if one of them is IComparable.
        // If it is and the other has the same type, then they can be compared.
        var ca = a as IComparable;
        if (ca != null && a.GetType() == b.GetType())
            return ca.CompareTo(b) == 0;

        // Anything else should be considered different.
        return false;
    }

    private static bool IsNumeric(object value)
    {
        // Yes, 11 types. And they cannot be directly compared using the IComparable
        // interface because an exception is thrown when different numeric types are used.
        return value is sbyte
                || value is byte
                || value is short
                || value is ushort
                || value is int
                || value is uint
                || value is long
                || value is ulong
                || value is float
                || value is double
                || value is decimal;
    }

    public int GetHashCode(object obj)
    {
        // I don't need this method, so here is a simple implementation just because
        return obj == null ? 0 : obj.GetHashCode();
    }
}

So, on the way of implementing a small feature (saving settings), my teammate and I got stuck for roughly three long hours trying to figure out what then seemed to (and should!) be trivial: comparing two simple objects.

It was a process of trial and error, but I still can't quite believe that it takes all this code. Do you know of a better way to do it? If you do, please leave a comment or contribute with the Gist.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Junior)
Brazil Brazil
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
Suggestionmake use of the method Object.Equals() Pin
sx20082-Nov-14 0:42
sx20082-Nov-14 0:42 
GeneralRe: make use of the method Object.Equals() Pin
rlsdumont2-Nov-14 10:39
rlsdumont2-Nov-14 10:39 
Generalrange of float and double is bigger than decimal's range Pin
sx20082-Nov-14 0:13
sx20082-Nov-14 0:13 
GeneralRe: range of float and double is bigger than decimal's range Pin
rlsdumont2-Nov-14 10:45
rlsdumont2-Nov-14 10:45 
SuggestionIEquatable Pin
CaldasGSM29-Oct-14 23:53
CaldasGSM29-Oct-14 23:53 
GeneralRe: IEquatable Pin
rlsdumont30-Oct-14 2:06
rlsdumont30-Oct-14 2:06 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.