Hai bisogno di matrici per gestire la tua collezione di strutture mutevoli , naturalmente, e cosa faremmo senza di questi.
struct EvilMutableStruct { public double X; } // don't do this
EvilMutableStruct[] myArray = new EvilMutableStruct[1];
myArray[0] = new EvilMutableStruct()
myArray[0].X = 1; // works, this modifies the original struct
List<EvilMutableStruct> myList = new List<EvilMutableStruct>();
myList.Add(new EvilMutableStruct());
myList[0].X = 1; // does not work, the List will return a *copy* of the struct
(si noti che potrebbero esserci alcuni casi in cui una matrice di strutture mutevoli è desiderabile, ma solitamente questo comportamento differente delle strutture mutabili all'interno di array rispetto ad altre collezioni è una fonte di errori che dovrebbero essere evitati)
Più seriamente, hai bisogno di un array se vuoi passare un elemento per riferimento . cioè.
Interlocked.Increment(ref myArray[i]); // works
Interlocked.Increment(ref myList[i]); // does not work, you can't pass a property by reference
Può essere utile per codice thread-safe senza blocco.
Hai bisogno di un array se desideri inizializzare in modo rapido ed efficiente la tua raccolta a dimensione fissa con il valore predefinito .
double[] myArray = new double[1000]; // contains 1000 '0' values
// without further initialisation
List<double> myList = new List<double>(1000) // internally contains 1000 '0' values,
// since List uses an array as backing storage,
// but you cannot access those
for (int i =0; i<1000; i++) myList.Add(0); // slow and inelegant
(nota che sarebbe possibile implementare un costruttore per List che faccia lo stesso, è solo che c # non offre questa funzionalità)
hai bisogno di un array se vuoi copiare efficientemente parti della collezione
Array.Copy(array1, index1, array2, index2, length) // can't get any faster than this
double[,] array2d = new double[10,100];
double[] arraySerialized = new double[10*100];
Array.Copy(array2d, 0, arraySerialized, 0, arraySerialized.Length);
// even works for different dimensions
(di nuovo, questo è qualcosa che potrebbe essere implementato anche per List, ma questa funzionalità non esiste in c #)