Basta usare
string.Join(",", yourCollection)
In questo modo non avrai bisogno StringBuilder
del ciclo e.
Aggiunta lunga sul caso asincrono. A partire dal 2019, non è raro che i dati arrivino in modo asincrono.
Nel caso in cui i tuoi dati siano in una raccolta asincrona, non si verifica alcun string.Join
sovraccarico IAsyncEnumerable<T>
. Ma è facile crearne uno manualmente, hackerando il codice dastring.Join
:
public static class StringEx
{
public static async Task<string> JoinAsync<T>(string separator, IAsyncEnumerable<T> seq)
{
if (seq == null)
throw new ArgumentNullException(nameof(seq));
await using (var en = seq.GetAsyncEnumerator())
{
if (!await en.MoveNextAsync())
return string.Empty;
string firstString = en.Current?.ToString();
if (!await en.MoveNextAsync())
return firstString ?? string.Empty;
// Null separator and values are handled by the StringBuilder
var sb = new StringBuilder(256);
sb.Append(firstString);
do
{
var currentValue = en.Current;
sb.Append(separator);
if (currentValue != null)
sb.Append(currentValue);
}
while (await en.MoveNextAsync());
return sb.ToString();
}
}
}
Se i dati arrivano in modo asincrono ma l'interfaccia IAsyncEnumerable<T>
non è supportata (come menzionato nei commenti SqlDataReader
), è relativamente facile racchiudere i dati in un IAsyncEnumerable<T>
:
async IAsyncEnumerable<(object first, object second, object product)> ExtractData(
SqlDataReader reader)
{
while (await reader.ReadAsync())
yield return (reader[0], reader[1], reader[2]);
}
e usalo:
Task<string> Stringify(SqlDataReader reader) =>
StringEx.JoinAsync(
", ",
ExtractData(reader).Select(x => $"{x.first} * {x.second} = {x.product}"));
Per Select
poterlo utilizzare, dovrai utilizzare il pacchetto nuget System.Interactive.Async
. Qui puoi trovare un esempio compilabile.
string.Join(",", yourCollection)
? Modifica: aggiunto come risposta.