C# Language
Indexeur
Recherche…
Syntaxe
- public ReturnType this [IndexType index] {get {...} set {...}}
Remarques
Indexer permet à une syntaxe de type tableau d'accéder à une propriété d'un objet avec un index.
- Peut être utilisé sur une classe, une structure ou une interface.
- Peut être surchargé.
- Peut utiliser plusieurs paramètres.
- Peut être utilisé pour accéder et définir des valeurs.
- Peut utiliser n'importe quel type pour son index.
Un indexeur simple
class Foo
{
private string[] cities = new[] { "Paris", "London", "Berlin" };
public string this[int index]
{
get {
return cities[index];
}
set {
cities[index] = value;
}
}
}
Usage:
var foo = new Foo();
// access a value
string berlin = foo[2];
// assign a value
foo[0] = "Rome";
Indexeur avec 2 arguments et interface
interface ITable {
// an indexer can be declared in an interface
object this[int x, int y] { get; set; }
}
class DataTable : ITable
{
private object[,] cells = new object[10, 10];
/// <summary>
/// implementation of the indexer declared in the interface
/// </summary>
/// <param name="x">X-Index</param>
/// <param name="y">Y-Index</param>
/// <returns>Content of this cell</returns>
public object this[int x, int y]
{
get
{
return cells[x, y];
}
set
{
cells[x, y] = value;
}
}
}
Surcharger l'indexeur pour créer un SparseArray
En surchargeant l'indexeur, vous pouvez créer une classe qui ressemble à un tableau, mais qui ne l'est pas. Il aura les méthodes get et set de O (1), pourra accéder à un élément à l'index 100, tout en ayant la taille des éléments qu'il contient. La classe SparseArray
class SparseArray
{
Dictionary<int, string> array = new Dictionary<int, string>();
public string this[int i]
{
get
{
if(!array.ContainsKey(i))
{
return null;
}
return array[i];
}
set
{
if(!array.ContainsKey(i))
array.Add(i, value);
}
}
}
Modified text is an extract of the original Stack Overflow Documentation
Sous licence CC BY-SA 3.0
Non affilié à Stack Overflow