String Concatenation vs. Memory Allocation in C# .NET





1.00/5 (2 votes)
String concatenation and a very good performance analysis.
I would like to bring into your attention an old article written on this topic. This article explains a lot about string concatenation and does a very good performance analysis.
Here is a glimpse of this article:
Over the years, plenty has been written about string performance, lots of comparisons between
String.Concat
andStringBuilder
. Today I decided to do some of my own research into the subject and contribute to the knowledge already out there. More specifically, I’ll be taking a look at the memory usage for various concatenation methods and compiler optimizations used to generate the IL.The test scenario I defined consists of several methods, each returning the same string. The string I created is supposed to resemble a real-life scenario. I identified five different ways of concatenating strings for my test. I will be taking a look at the numbers when calling each method once and inside a very small loop of 50 calls, which is another real-life number in my case.
Single line concatenation.
The easiest way of concatenating strings together is by simply putting a plus sign between them.
public string GetPlussedString() { string myString = "SELECT column1," + " column2," + " column3," + " column4," + " column5," + " column6," + " FROM table1 t1" + " JOIN table2 t2" + " ON t1.column1 = t2.column1"; return myString; }Although it seems like we are creating 9 string instances, the compiler optimizes this into the following IL:
.method public hidebysig instance string GetPlussedString() cil managed { .maxstack 1 .locals init ( [0] string myString) L_0000: ldstr "SELECT column1, column2, column3, column4, column5, column6, FROM table1 t1 JOIN table2 t2 ON t1.column1 = t2.column1" L_0005: stloc.0 L_0006: ldloc.0 L_0007: ret }In reality, we created one string instance and returned it, which is about the most efficient way we can achieve.
When profiling the test application, I couldn’t even find a call to
GetPlussedString
in the profiler, which makes me believe the runtime even optimized this.In total, our application created 113 string instances and barely used any memory.
Running this in the loop gives the following result:
Important to note is the fact that we still have 113 string instances. This is because .NET used String Interning on my string and simply returns a reference to that instance over and over.
You can read the full article here: http://www.cumps.be/nl/blog/commented/string-concatenation-vs-memory-allocation.
Thanks. Hope it helps.
Thanks to the original author for this good article.