サーチ…


構文

  • public戻り値this [IndexType index] {get {...} set {...}}

備考

インデクサーは、配列のような構文がインデックスを持つオブジェクトのプロパティにアクセスすることを可能にします。

  • クラス、構造体、またはインタフェースで使用できます。
  • オーバーロードすることができます。
  • 複数のパラメータを使用できます。
  • 値にアクセスして値を設定するために使用できます。
  • 任意の型のインデックスを使用できます。

シンプルなインデクサ

class Foo
{
    private string[] cities = new[] { "Paris", "London", "Berlin" };

    public string this[int index]
    {
        get {
            return cities[index];
        }
        set {
            cities[index] = value;
        }
    }
}

使用法:

    var foo = new Foo();

    // access a value    
    string berlin = foo[2];

    // assign a value
    foo[0] = "Rome";

デモを見る

2つの引数とインタフェースを持つIndexer

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;
        }
    }
}

インデクサーをオーバーロードしてSparseArrayを作成する

インデクサーをオーバーロードすることで、配列のように見え、感じるクラスを作成できますが、そうではありません。 O(1)メソッドを取得して設定し、インデックス100の要素にアクセスできますが、その内部に要素のサイズを保持します。 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
ライセンスを受けた CC BY-SA 3.0
所属していない Stack Overflow