318

クラスに演算子を追加したいと思います。現在GetValue()、演算子に置き換えたいメソッドがあり[]ます。

class A
{
    private List<int> values = new List<int>();

    public int GetValue(int index) => values[index];
}
4

4 に答える 4

822
public int this[int key]
{
    get => GetValue(key);
    set => SetValue(key, value);
}
于 2009-01-08T15:34:19.460 に答える
68

これがあなたが探しているものだと思います:

インデクサー (C# プログラミング ガイド)

class SampleCollection<T>
{
    private T[] arr = new T[100];
    public T this[int i]
    {
        get => arr[i];
        set => arr[i] = value;
    }
}

// This class shows how client code uses the indexer
class Program
{
    static void Main(string[] args)
    {
        SampleCollection<string> stringCollection = 
            new SampleCollection<string>();
        stringCollection[0] = "Hello, World";
        System.Console.WriteLine(stringCollection[0]);
    }
}
于 2009-01-08T15:35:01.830 に答える
33

[] 演算子はインデクサーと呼ばれます。キーとして使用する整数、文字列、またはその他の型を取るインデクサーを提供できます。構文は簡単で、プロパティ アクセサーと同じ原則に従います。

たとえば、 anintがキーまたはインデックスである場合:

public int this[int index]
{
    get => GetValue(index);
}

また、セット アクセサーを追加して、インデクサーが単なる読み取り専用ではなく読み取りおよび書き込みになるようにすることもできます。

public int this[int index]
{
    get => GetValue(index);
    set => SetValue(index, value);
}

別の型を使用してインデックスを作成する場合は、インデクサーのシグネチャを変更するだけです。

public int this[string index]
...
于 2009-01-08T15:39:38.233 に答える
11
public int this[int index]
{
    get => values[index];
}
于 2009-01-08T15:35:03.657 に答える