Click here to Skip to main content
15,867,453 members
Articles / Programming Languages / C#

Story of Equality in .NET - Part 1

Rate me:
Please Sign up or sign in to vote.
4.87/5 (53 votes)
25 Mar 2018CPOL18 min read 68.8K   95   26
The purpose of this post is to outline and explore some of the issues that make performing the equality much more complex than you might expect.

Introduction

The purpose of this post is to outline and explore some of the issues that make performing the equality much more complex than you might expect. Among other things, we will examine the difference between the value and reference equality and why equality and inheritance don’t work well together. So let’s get started.

Background

Few months ago, I followed a very interesting course on Pluralsight by Simon Robinson about Equality and Comparison in .NET which is a great course indeed that would help developers to understand how equality and comparisons work in .NET, so I thought of sharing the insights of what I learned from the course. Hope this will help others to understand the equality behavior and give an in depth understanding of how .NET handles it.

Parts Published Until Now

Let's Get Started

We will start from a simple example that will compare two numbers. For instance, let’s say that 3 is less than 4, conceptually, it is trivial and the code for that is also very easy and simple:

C#
if(3 < 4)
{
            
}

If you look at the System.Object class from which all other types inherit, you will find the following 4 methods which are for equality checking:

In addition to that, Microsoft has provided 9 different interfaces for performing equality or comparison of types:

Most of these methods and interfaces come with a risk that if you override their implementation incorrectly, it will cause bugs in your code and can also break the existing collections provided by the framework which depend on them.

We will see what’s the purpose of these methods and interfaces and how to use these them correctly. We will also focus on how to provide custom implementation for equality and comparisons in the right way, which will perform efficiently and follow best practices and most importantly, does not break other types implementation.

Equality is Difficult

There are 4 reasons that make equality more complex than you might expect:

  1. Reference v/s Value Equality
  2. Multiple ways to Compare Values
  3. Accuracy
  4. Conflict with OOP

Reference V/S Value Equality

There is an issue of reference versus value equality, it’s possible to treat equality either way and unfortunately C# is not being designed in a way so that it can distinguish between two of these and that can cause unexpected behavior sometimes, if you don’t understand how these various operators and methods work.

As you know, in C#, reference types do not contain actual value, they contain a pointer to a location in memory that actually holds those values, which means that for reference types, there are two possible ways to measure the equality.

You can say that do both variables refer to the same location in memory which is called reference equality and known as Identity or you can say that do the location to which both variables are pointing contain the same value, even if they are different locations which is called Value Equality.

We can illustrate the above points using the following example:

class Program
{ 
    static void Main(String[] args)
    {
        Person p1 = new Person();
        p1.Name = "Ehsan Sajjad";
 
        Person p2 = new Person();
        p2.Name = "Ehsan Sajjad";
 
        Console.WriteLine(p1 == p2);
        Console.ReadKey();
    }  
}

As you can see in the above example, we have instantiated two objects of Person class and both contain the same value for Name property. Clearly, the above two instances of Person class are identical as they contain the same values, are they really equal? When we check their equality of both instances using C# equality operator and run the example code, it prints out on the console False as output, which means that they are not equal.

Image 1

It is because for Person class, both C# and the .NET framework consider the equality to be the Reference Equality. In other words, the Equality operator checks whether these two variables refer to the same location in memory, so in this example, they are not equal because though both instances of Person class are identical but they are separate instances, the variables p1 and p2 both refer to different locations in memory.

Reference Equality is very quick to perform, because you only need to check for one thing whether the two variables hold the same memory address, while comparing values can be a lot slower.

For example, if Person class holds a lot of fields and properties instead of just one, and if you wanted to check if the two instances of Person class have the same values, you will have to check every field/property, there is no operator in C# which would check the value equality of two Person class instances which is reasonable though, because comparing two instances of Person class containing exactly the same values is not the sort of thing you would normally want to do, obviously if for some reason you would want to do that, you will need to write your own code to do that.

Now take this code as example:

C#
class Program
{ 
    static void Main(String[] args)
    {
        string s1 = "Ehsan Sajjad";
 
        string s2 = string.Copy(s1);
 
        Console.WriteLine(s1 == s2);
        Console.ReadKey();
     } 
 }

The above code is quite similar to the previous example code, but in this case we are applying equality operator on to identical strings, we instantiated a string and stored its reference in a variable named s1, then we created a copy of its value and held that in another variable s2, now if we run this code, we will see that according to output, we can say that both strings are equal.

Image 2

If the equality operator had been checking for reference equality, we would had seen false printed on the console for this program, but for strings == operator evaluates equality of values of the operands.

Microsoft has implemented it like that, because checking whether one string contains another string is something a programmer would very often need to do.

Reference and Value Types

The reference and value issue only exists for Reference Types by the way. For unboxed value types such as integer, float, etc., the variable directly contains the value, there are no references which means that equality only means to compare values.

The following code which compares two integers will evaluate that both are equal, as the equality operator will compare the values that are held by the variables.

C#
class Program
{
     static void Main(String[] args)
    {
        int num1 = 2;
 
        int num2 = 2;
 
        Console.WriteLine(num1 == num2);
 
        Console.ReadKey();
    } 
}

So in the above code, the equality operator is comparing the value stored in variable num1 with the value stored in num2.

However, if we modify this code and cast both variables to object, as we did in the following lines of code:

C#
int num1 = 2;
 
int num2 = 2;
 
Console.WriteLine((object)num1 == (object)num2);

Now if we run the code, you will see that the result is contradictory with the result we got from the first version of code, which is the second version of code comparison returns false, that happened because the object is a reference type, so when we cast integer to object, it ends up boxed in to object as reference, which means the second code is comparing references, not values and it returns false because both integers are boxed in to different reference instances.

This is something that a lot of developers don’t expect, normally we don’t cast value types to object, but another common scenario that we often see is if we need to cast value type into an interface.

C#
Console.WriteLine((IComparable<int>)num1 == (IComparable<int>)num2);

For illustrating what we said above, let’s modify the example code to cast the integer variables to ICompareable<int>. This is an interface provided by .NET Framework which integer type inherits or implements. We will talk about it in some other post.

In .NET, interfaces are always reference types, so the above line of code involves boxing too, and if we run this code, we will see that this equality check also returns false, and it’s because this is again checking reference equality.

So, you need to be careful when casting values types to interfaces, it will always result in reference equality if you do an equality check.

== Operator

All this code would probably not have been a problem, if C# had different operators for value-types and reference types equality, but it does not, which some developers think is a problem. C# has just one equality operator and there is no obvious way to tell upfront what the operator is actually going to do for a given type.

For instance, consider this line of code:

C#
Console.WriteLine(var1 == var2)

We cannot tell what the equality operator will do in the above, because you just have to know what equality operator does for a type, there is no way around, that’s how C# is designed.

In this post, we will go through what the equality operator does and how it works under the hood in detail, so after reading the complete post, I hope you will have a much better understanding than other developers about what actually happens when you write an equality check condition and you will be better able to tell how equality between two objects is evaluated and will be able to answer correctly whenever you came across the code where two objects are being compared for equality.

Different Ways to Compare Values

Another issue that exists in that complexity of equality is, there are often more than one ways to compare values of a given type. String type is the best example for this. Suppose we have two string variables that contain the same value in them:

C#
string s1 = "Equality";

string s2 = " Equality";

Now, if we compare both s1 and s2, should we expect that the result would be true for equality check? Means should we consider these two variables to be equal?

I am sure you are looking as both string variables contain exactly the same values, then it makes sense to consider them equal, and indeed that is what C# does, but what if I change the case of one of them to make them different like:

C#
string s1 = "EQUALITY";

string s2 = "equality";

Now, should these two strings be considered equal? In C#, the equality operator will evaluate to false saying that the two strings are not equal, but if we are not asking about C# equality operator, but in principle, we should consider those two strings as equal, then we cannot really answer, as it completely depends on the context whether we should consider or ignore the case, Let’s say I have a database of food items, and we are querying a food item to be searched from database, then the changes are we want to ignore the case and treat both strings equal, but if the user is typing in password for logging into an application, and you have to check if the password entered by user is correct, then you should not certainly consider the lower case and title case strings to be equal.

The equality operator for strings in C# is always case sensitive, so you can’t use it for comparison and ignore the case. If you want to ignore the case, you can do so but you will have to call the special methods which are defined in the String type. For example:

C#
string s1 = "EQUALITY";

string s2 = "equality";

if(s1.Equals(s2,StringComparison.OrdinalIgnoreCase))

The above example will evaluate if statement to true as we are telling to ignore the case when doing comparison for equality between s1 and s2.

Now I am sure that none of that will surprise you. Case sensitivity is an issue that almost everyone encounters very early on when they do programming. From the above example, we can illustrate a wider point for equality in general that Equality is not absolute in programming, it is often context-sensitive (e.g. case-sensitivity of string).

One example of this is that user is searching for an item on a shopping cart web application and user types an item name with extra whitespace in it, but when we are comparing that with items in our database, so should we consider the item in our database equal to the item entered by user with whitespace. Normally, we consider them equal and display that result to user as a result of searching, which again illustrates that equality is context sensitive.

Let’s take one more example, consider the following two database records:

Image 3

Are they equal? In one sense, Yes. Obviously, these are the same records, they refer to the same drink item and they have the same primary key, but couple of columns values are different, it is clear that the second records item is the data after the records was updated and the first one is before updating, so this illustrates another conceptual issue with equality which comes into play when you are updating data. Do you care about the precise values of the record or do you care whether it is the same record and clearly there is no one right answer to that. So once again, it depends on the context what you are trying to do!

Equality and Comparison

The way .NET deals with multiple meanings of equality is quite neat. .NET allows each type to specify its own single natural way of measuring equality for that type. So, for example, String type defines its natural equality to be if two strings contain exactly the same sequence of characters, that’s why comparing two strings with different case returns false as they contain different character. This is because “equality” is not equal to “EQUALITY” as lower case and uppercase are different characters.

It is very common that the types expose their natural way of determining equality by means of a generic interface called IEquatable<T>. String also implements this interface for equality. But separately, .NET also provides a mechanism for you to plug in a different implementation of equality if you don’t like the Type’s own definition or if that does not fulfill your needs.

This mechanism is based on what is known as Equality Comparers. An Equality Comparer is an object whose purpose is to test whether instances of a type are equal using the definition provided by the comparer for checking equality.

Equality Comparers implement an interface called IEqualityComparer<T>. So for example, if you want to compare string ignoring the extra whitespaces, you could write an equity comparer that knows how to do that and then use that equality comparer instead of the equality operator as required.

Things work basically the same way for doing ordering comparisons. The main difference is that you would use different interfaces. .NET also provides an interface to provide mechanism for a type to do less than or greater than comparison for a type which is known as ICompareable<T>, and separately you can write what are known as comparers which is IComparer<T>. This can be used to define an alternative implementation for comparison done for ordering, we will see how to implement these interfaces in some other post.

Equality for Floating Points

Some data types are inherently approximate. In .NET, you will encounter this problem with floating point types like float, double or decimal or any type that contains a floating point type as a member field. Let’s have a look at an example.

C#
float num1 = 2.000000f;
float num2 = 2.000001f;
Console.WriteLine(num1 == num2);

We have two floating point numbers that are nearly equal. So are they equal? It looks pretty obvious that they are not equal as they differ in the final digit and we are printing the equality result on console, so when we run the code, the program displays true.

Image 4

This program has come out saying that they both are equal which is completely contradictory to what we have evaluated by looking at the numbers and you can probably guess what the problem is. Computers can only store the numbers to a certain level of accuracy and the float type just cannot store enough significant digits to distinguish these two particular numbers and it can work the other way around too. See this example:

C#
float num1 = 1.05f;
float num2 = 0.95f;

var sum = num1 + num2;

Console.WriteLine(sum);
Console.WriteLine(sum == 2.0f);

This is a simple calculation where we are adding 1.05 to 0.95. It looks very obvious that when you add those two numbers, you will get the answer 2.0, so we have written a small program for this which adds those two numbers and then we check that the sum of two numbers is equal to 2.0. If we run the program, the output contradicts what we had thought, which says the sum is not equal to 2.0, the reason is that rounding errors happened in the floating point arithmetic resulting in the answer storing a number that is very close to 2, so close that string representation on Console.WriteLine even displayed it as 2 but it’s still not quite equal to 2.

Image 5

Those rounding errors in floating point arithmetic has resulted in the program giving the opposite answer to what any common sense reasoning would tell you. Now this is an inherent difficulty with the floating point numbers. Rounding error means that testing for equality often gives you the wrong result and .NET has no solution for this. The recommendation is, you don’t try to compare floating point numbers for equality because the results might not be what you predict. This only applies to equality, this problem does not normally affect the less than and greater than comparisons. In most cases, there are no problems with comparing the floating points number to see whether one is greater than or less than another, it’s equality that gives the problem.

Equality Conflict with Object Oriented Principles

This one often comes as a surprise to experienced developers as well, there is in fact a fundamental conflict between equality comparisons, type safety and good object oriented practices. These 3 things do not sit well together, this often makes it very hard to make equality right and bug free even once you resolved the other issues.

We will not talk much about this in detail as it will be easy for you to understand once we start seriously coding which I will demonstrate in a separate post and you will be able to then how the problem naturally arises in the code you write.

Now let’s just try and give you a rough idea of the conflict for now. Let’s say we have base class Animal which represents different animals and will have a derived class for example Dog which adds information specific to the Dog.

C#
public class Animal
{

}

public class Dog : Animal
{

}

If we wanted the Animal class to declare that Animal instances know how to check whether they are equal to other Animal instances, you might attempt to have it implement IEquatable<Animal>. This requires it to implement an Equals() method which takes an Animal instance as a parameter .

C#
 public class Animal : IEquatable<animal>
 {
    public virtual bool Equals(Animal other)
    {
        throw new NotImplementedException();
    }
}

<dp>If we want Dog class to also declare that Dog instances know how to check whether they are equal to other Dog instances, we probably have to implement IEquatable<Dog>, that means it will also implement similar Equals() method which takes Dog instance as parameter.

C#
public class Dog : Animal, IEquatable<Dog>
{
    public virtual bool Equals(Dog other)
    {
        throw new NotImplementedException();
    }
}

And this is where the problem comes in. You can probably guess that in a well-designed OOP code, you would expect the Dog class to override the Equals() method of Animal class, but the trouble is Dog equals method has a different argument parameter than Animal Equals method which means it won’t override it and if you are not very careful, that can cause sort of subtle bugs where you end up calling the wrong equals method and so returning the wrong result.

Often, the only workaround to this lose type-safety and that’s what you exactly see in the Object type Equals method which is the most basic way most types implement equality.

C#
class Object
{
   public virtual bool Equals(object obj)
   {

   }
}

This method takes an instance of object type as parameter which means it is not type-safe, but it will work correctly with inheritance. This is a problem that is not well-known. There were a few blogs around that gave incorrect advice on how to implement equality because they don’t take account of this issue, but it is a problem there. We should be very careful how we design our code to avoid it.

Summary

  • C# does not syntactically distinguish between value and reference equality which means it can sometimes be difficult to predict what the equality operator will do in particular situations.
  • There are often multiple ways of legitimately comparing values. .NET addresses this by allowing types to specify their preferred natural way to compare for equality, also providing a mechanism to write equality comparers that allow you to place a default equality for each type.
  • It is not recommended to test floating point values for equality because rounding errors can make this unreliable.
  • There is an inherent conflict between implementing equality, type-safety and good Object Oriented practices.

You Might Also Like to Read

License

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


Written By
Software Developer
Pakistan Pakistan
Ehsan Sajjad is a Microsoft Certified Professional, Microsoft Certified C# Specialist and he is also among the top users on StackOverflow from Pakistan with 50k+ reputation at time of writing this and counting.

He is a passionate software developer with around 5 years of professional experience in Microsoft Technologies both web and desktop applications and always open to learn new things and platforms especially in mobile application development and game development.

Some Achievements :

  • 5th Top Contributor from Pakistan on Stackoverflow.com
  • Top User in ASP.NET MVC from Pakistan on Stackoverflow.com
  • 21st June 2017 - Article of the Day - ASP.NET Community (Beginners Guide on AJAX CRUD Operations in Grid using JQuery DataTables in ASP.NET MVC 5)
  • 19th April 2017 - Article of the Day - ASP.NET Community (ASP.NET MVC Async File Uploading using JQuery)
  • March 2017 - Visual C# Technical Guru Silver Medal on Microsoft Tech Net Wiki Article Competition
  • 20 January 2017 - Article of the Day - ASP.NET Community (Async File Uploading in ASP.NET MVC)
  • 22nd September 2016 - Article of the Day - ASP.NET Community (GridView with Server Side Filtering, Sorting and Paging in ASP.NET MVC 5)
  • 22nd August 2016 - Article of the Day - ASP.NET Community (Beginners Guide for Creating GridView in ASP.NET MVC 5)
  • December 2015 - C-SharpCorner Monthly Winner

Comments and Discussions

 
QuestionDecimal is not a floating point type Pin
Pinocchio625-Jun-18 2:36
Pinocchio625-Jun-18 2:36 
PraiseGreat discussion! Pin
Jono Stewart21-Aug-17 21:49
Jono Stewart21-Aug-17 21:49 
GeneralRe: Great discussion! Pin
Ehsan Sajjad21-Aug-17 22:07
professionalEhsan Sajjad21-Aug-17 22:07 
GeneralMy vote of 5 Pin
csharpbd16-May-17 17:16
professionalcsharpbd16-May-17 17:16 
QuestionEquality for Floating Points Pin
divya behera12-May-17 3:19
divya behera12-May-17 3:19 
AnswerRe: Equality for Floating Points Pin
Ehsan Sajjad12-May-17 3:47
professionalEhsan Sajjad12-May-17 3:47 
GeneralMy vote of 5 Pin
smskpna11-May-17 17:40
smskpna11-May-17 17:40 
QuestionNice article but irrelevant images about console result Pin
Mystcreater11-May-17 7:04
Mystcreater11-May-17 7:04 
AnswerRe: Nice article but irrelevant images about console result Pin
Ehsan Sajjad12-May-17 1:00
professionalEhsan Sajjad12-May-17 1:00 
QuestionRe: +4 (but a few comments) Pin
Paul @AdvancedCo11-May-17 1:29
Paul @AdvancedCo11-May-17 1:29 
QuestionMy 5 Pin
User 418025427-Mar-17 8:15
User 418025427-Mar-17 8:15 
AnswerRe: My 5 Pin
Ehsan Sajjad27-Mar-17 21:45
professionalEhsan Sajjad27-Mar-17 21:45 
GeneralMy vote of 5 Pin
_Asif_14-Dec-16 21:11
professional_Asif_14-Dec-16 21:11 
GeneralRe: My vote of 5 Pin
Ehsan Sajjad12-May-17 1:02
professionalEhsan Sajjad12-May-17 1:02 
GeneralMy vote of 5 Pin
cybelmar8-Nov-16 8:03
cybelmar8-Nov-16 8:03 
GeneralRe: My vote of 5 Pin
Ehsan Sajjad8-Nov-16 9:26
professionalEhsan Sajjad8-Nov-16 9:26 
Thanks for the words.
QuestionFloat value will return false. Please check before posting Pin
VijayRana6-Oct-16 0:24
professionalVijayRana6-Oct-16 0:24 
AnswerRe: Float value will return false. Please check before posting Pin
Ehsan Sajjad6-Oct-16 2:39
professionalEhsan Sajjad6-Oct-16 2:39 
AnswerRe: Float value will return false. Please check before posting Pin
Ehsan Sajjad6-Oct-16 4:16
professionalEhsan Sajjad6-Oct-16 4:16 
QuestionI cannot see the same result for floating numbers exemples Pin
Gabi19_899-Sep-16 3:45
Gabi19_899-Sep-16 3:45 
AnswerRe: I cannot see the same result for floating numbers exemples Pin
Ehsan Sajjad9-Sep-16 4:35
professionalEhsan Sajjad9-Sep-16 4:35 
AnswerRe: I cannot see the same result for floating numbers exemples Pin
Ehsan Sajjad6-Oct-16 4:16
professionalEhsan Sajjad6-Oct-16 4:16 
SuggestionWrong value compare Pin
Zoltan Satmari28-Jun-16 22:37
Zoltan Satmari28-Jun-16 22:37 
GeneralRe: Wrong value compare Pin
Ehsan Sajjad25-Jan-18 20:36
professionalEhsan Sajjad25-Jan-18 20:36 
Suggestionmistyped, just repair it! Pin
AndyHo23-Jun-16 5:53
professionalAndyHo23-Jun-16 5:53 

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.