This is my first question so hello to all users!
Is there a function in C# to quickly convert some collection to string and separate values with delimiter?
For example:
List<string> names
--> string names = "John, Anna, Monica"
This is my first question so hello to all users!
Is there a function in C# to quickly convert some collection to string and separate values with delimiter?
For example:
List<string> names
--> string names = "John, Anna, Monica"
You can use String.Join. If you have a List<string>
then you can call ToArray first:
List<string> names = new List<string>() { "John", "Anna", "Monica" };
var result = String.Join(", ", names.ToArray());
Edit: Actually, in .NET 4 you don't need the ToArray anymore, since there is an overload of String.Join that takes an IEnumerable<string>
.
You can also do this with linq if you'd like
var names = new List<string>() { "John", "Anna", "Monica" };
var joinedNames = names.Aggregate((a, b) => a + ", " + b);
Although I prefer the non-linq syntax in Quartermeister's answer and I think Aggregate
might perform slower (probably more string concatenation operations).