Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

ReferenceEquals working wrong with strings

Why in this situation ReferenceEquals method of object behaves differently?

string a= "fg";
string b= "fg";
Console.WriteLine(object.ReferenceEquals(a, b));

So in this situation it's get a result true. In case, it compares values of my strings and not references. But when I write something like:

StringBuilder c = new StringBuilder("fg");
string d = c.ToString();
Console.WriteLine(object.ReferenceEquals(a, d));

In this case it works fine and result is false, because it compares references of my objects.

like image 349
Chuck Norris Avatar asked Feb 02 '12 12:02

Chuck Norris


3 Answers

The first example has a compile time constant "fg" that is referenced by two variables. Since this is a compile time constant, the two variables reference the one object. The references are equal.

Read into the topic of string interning for more on this behavior. As a starter, consider:

For example, if you assign the same literal string to several variables, the runtime retrieves the same reference to the literal string from the intern pool and assigns it to each variable.

http://msdn.microsoft.com/en-us/library/system.string.intern.aspx

In the second example, only one is a compile time constant, the other is a result of some operations. a and d do not reference the same object, so you get the false result from ReferenceEquals.

like image 162
Anthony Pegram Avatar answered Nov 06 '22 01:11

Anthony Pegram


It is behaving correctly in both cases.

The reason a and b are the same string object is because the compiler has noticed that you specified the same string twice, and has reused the same string object to initialize both a and b.

This will generally happen with every string constant in your application.

like image 3
Ben Avatar answered Nov 06 '22 01:11

Ben


It is beacuse of the CLR with version above 4.5 assemblies are marked with attribute System.Runtime.CompilerServices.CompilationRelaxations Attribute which defines value of flag System.Runtime.CompilerServices. CompilationRelaxations.NoStringInterning.This was implemented for the purpose to improve performance.

If run your code in CLR version below 4.5, variables a and b will reference to different string-objects in the heap with value of "fg" and object.ReferenceEquals(a, b) will give result "False".

Since CLR 4.5 the comparison of object.ReferenceEquals(a, b) will give result "True", because it interns "fg" string while uploading assembly to application domain. It means that a and b references to same string in the heap.

like image 1
Philip Voloshin Avatar answered Nov 06 '22 01:11

Philip Voloshin