Questo fa parte della sintassi dell'inizializzatore di raccolte in .NET. Puoi utilizzare questa sintassi su qualsiasi raccolta che crei purché:
Ciò che accade è il costruttore predefinito che viene chiamato e quindi Add(...)
viene chiamato per ciascun membro dell'inizializzatore.
Pertanto, questi due blocchi sono approssimativamente identici:
List<int> a = new List<int> { 1, 2, 3 };
E
List<int> temp = new List<int>();
temp.Add(1);
temp.Add(2);
temp.Add(3);
List<int> a = temp;
È possibile chiamare un costruttore alternativo, se si desidera, ad esempio per evitare sovra-dimensionamento della List<T>
durante la crescita, ecc:
// Notice, calls the List constructor that takes an int arg
// for initial capacity, then Add()'s three items.
List<int> a = new List<int>(3) { 1, 2, 3, }
Si noti che il Add()
metodo non deve prendere un singolo elemento, ad esempio il Add()
metodo per Dictionary<TKey, TValue>
accetta due elementi:
var grades = new Dictionary<string, int>
{
{ "Suzy", 100 },
{ "David", 98 },
{ "Karen", 73 }
};
È approssimativamente identico a:
var temp = new Dictionary<string, int>();
temp.Add("Suzy", 100);
temp.Add("David", 98);
temp.Add("Karen", 73);
var grades = temp;
Quindi, per aggiungere questo alla tua classe, tutto ciò che devi fare, come detto, è implementare IEnumerable
(di nuovo, preferibilmente IEnumerable<T>
) e creare uno o più Add()
metodi:
public class SomeCollection<T> : IEnumerable<T>
{
// implement Add() methods appropriate for your collection
public void Add(T item)
{
// your add logic
}
// implement your enumerators for IEnumerable<T> (and IEnumerable)
public IEnumerator<T> GetEnumerator()
{
// your implementation
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
}
Quindi puoi usarlo proprio come fanno le raccolte BCL:
public class MyProgram
{
private SomeCollection<int> _myCollection = new SomeCollection<int> { 13, 5, 7 };
// ...
}
(Per ulteriori informazioni, consultare MSDN )