List of strings to one string

C#StringPerformanceFunctional Programming

C# Problem Overview


Lets say you have a:

List<string> los = new List<string>();

In this crazy functional world we live in these days which one of these would be best for creating one string by concatenating these:

String.Join(String.Empty, los.ToArray());

StringBuilder builder = new StringBuilder();
los.ForEach(s => builder.Append(s));

string disp = los.Aggregate<string>((a, b) => a + b);

or Plain old StringBuilder foreach

OR is there a better way?

C# Solutions


Solution 1 - C#

I would go with option A:

String.Join(String.Empty, los.ToArray());

My reasoning is because the Join method was written for that purpose. In fact if you look at Reflector, you'll see that unsafe code was used to really optimize it. The other two also WORK, but I think the Join function was written for this purpose, and I would guess, the most efficient. I could be wrong though...

As per @Nuri YILMAZ without .ToArray(), but this is .NET 4+:

String.Join(String.Empty, los);

Solution 2 - C#

string.Concat(los.ToArray());

If you just want to concatenate the strings then use string.Concat() instead of string.Join().

Solution 3 - C#

If you use .net 4.0 you can use a sorter way:

String.Join<string>(String.Empty, los);

Solution 4 - C#

String.Join() is implemented quite fast, and as you already have a collection of the strings in question, is probably the best choice. Above all, it shouts "I'm joining a list of strings!" Always nice.

Solution 5 - C#

los.Aggregate((current, next) => current + "," + next);

Solution 6 - C#

My vote is string.Join

No need for lambda evaluations and temporary functions to be created, fewer function calls, less stack pushing and popping.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionmaxfridbeView Question on Stackoverflow
Solution 1 - C#BFreeView Answer on Stackoverflow
Solution 2 - C#Pent PloompuuView Answer on Stackoverflow
Solution 3 - C#mnietoView Answer on Stackoverflow
Solution 4 - C#J CooperView Answer on Stackoverflow
Solution 5 - C#landradyView Answer on Stackoverflow
Solution 6 - C#Tom RitterView Answer on Stackoverflow