web-dev-qa-db-fra.com

Convertir un tableau d'entiers en chaîne séparée par des virgules

C'est une question simple. Je suis un débutant en C #, comment puis-je effectuer les opérations suivantes

  • Je veux convertir un tableau d'entiers en une chaîne séparée par des virgules.

J'ai

int[] arr = new int[5] {1,2,3,4,5};

Je veux le convertir en une chaîne

string => "1,2,3,4,5"
242
Haim Evgi
var result = string.Join(",", arr);

Ceci utilise la surcharge suivante de string.Join:

public static string Join<T>(string separator, IEnumerable<T> values);
484
Cheng Chen

.NET 4

string.Join(",", arr)

.NET plus tôt

string.Join(",", Array.ConvertAll(arr, x => x.ToString()))
121
leppie
int[] arr = new int[5] {1,2,3,4,5};

Vous pouvez utiliser Linq pour cela

String arrTostr = arr.Select(a => a.ToString()).Aggregate((i, j) => i + "," + j);
10
Manish Nayak

Vous pouvez avoir une paire de méthodes d’extension pour faciliter cette tâche:

public static string ToDelimitedString<T>(this IEnumerable<T> lst, string separator = ", ")
{
    return lst.ToDelimitedString(p => p, separator);
}

public static string ToDelimitedString<S, T>(this IEnumerable<S> lst, Func<S, T> selector, 
                                             string separator = ", ")
{
    return string.Join(separator, lst.Select(selector));
}

Alors maintenant, juste:

new int[] { 1, 2, 3, 4, 5 }.ToDelimitedString();
5
nawfal

Utilisez la méthode LINQ Aggregate pour convertir un tableau d’entiers en une chaîne séparée par des virgules

var intArray = new []{1,2,3,4};
string concatedString = intArray.Aggregate((a, b) =>Convert.ToString(a) + "," +Convert.ToString( b));
Response.Write(concatedString);

la sortie sera

1,2,3,4

C’est l’une des solutions que vous pouvez utiliser si vous n’avez pas installé .net 4.

3
sushil pandey