Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Resharper suggestion: check for reference equality instead

I don't understand why Resharper suggest me to "check for reference equality instead" in this code:

if ( typeToTranslate.Equals( typeof(string) ) )
{
    //do something
}

Why this should be better:

typeToTranslate == typeof(string)

------------EDIT------------

This is the method stub:

protected IType TranslateType(Type typeToTranslate)
{
    if (typeToTranslate == null) throw new ArgumentNullException("typeToTranslate");

    //do some stuff

    if (typeToTranslate.Equals(typeof(string)))
    {
        //do some stuff
    }
    //return some stuff
 }
like image 770
giammin Avatar asked Nov 30 '12 15:11

giammin


2 Answers

Object.Equals is a more general kind of equality than reference equality: if x == y then x.Equals(y), but the converse isn't necessarily true. However, as documented in MSDN Library:

A Type object that represents a type is unique; that is, two Type object references refer to the same object if and only if they represent the same type. This allows for comparison of Type objects using reference equality.

Because ReSharper categorizes the "Check for reference equality instead" inspection option under "Common Practices and Code Improvements", my guess is that ReSharper is letting you know that it suffices to use reference equality to compare types; you don't need the more general kind of equality implied by the Equals method (even though for types the two are equivalent).

like image 107
Michael Liu Avatar answered Nov 10 '22 17:11

Michael Liu


From the System.Type documentation:

A Type object that represents a type is unique; that is, two Type object references refer to the same object if and only if they represent the same type. This allows for comparison of Type objects using reference equality.

This means that "string".GetType() and typeof(string) return the same reference. There is only a single instance of the System.Type object for System.String within an AppDomain.

As to why ReSharper says it's "better" to use == instead of .Equals()? My guess is because == is more efficient and does not risk throwing a NullReferenceException if typeToTranslate were null (in your case).

like image 15
Stuart Lange Avatar answered Nov 10 '22 18:11

Stuart Lange