6

プロジェクトでSelectListfrom anyを作成する必要があります。Enum

特定の列挙型から選択リストを作成するコードを以下に示しますが、任意の列挙型の拡張メソッドを作成したいと思います。この例ではDescriptionAttribute、各 Enum 値の値を取得します

var list = new SelectList(
            Enum.GetValues(typeof(eChargeType))
            .Cast<eChargeType>()
            .Select(n => new
                {
                    id = (int)n, 
                    label = n.ToString()
                }), "id", "label", charge.type_id);

この投稿を参照して、どうすれば進めますか?

public static void ToSelectList(this Enum e)
{
    // code here
}
4

4 に答える 4

7

あなたが苦労していると思うのは、説明の検索です。正確な結果をもたらす最終的な方法を定義できるものを手に入れたら、私は確信しています。

まず、拡張メソッドを定義すると、列挙型自体ではなく、列挙型の値に対して機能します。そして、使いやすくするために、型でメソッドを呼び出したいと思います(静的メソッドのように)。残念ながら、それらを定義することはできません。

できることは以下です。最初に、列挙値の説明がある場合はそれを取得するメソッドを定義します。

public static string GetDescription(this Enum value) {
    string description = value.ToString();
    FieldInfo fieldInfo = value.GetType().GetField(description);
    DescriptionAttribute[] attributes = (DescriptionAttribute[])fieldInfo.GetCustomAttributes(typeof(DescriptionAttribute), false);

    if (attributes != null && attributes.Length > 0) {
        description = attributes[0].Description;
    }
    return description;
}

次に、列挙型のすべての値を受け取るメソッドを定義し、前のメソッドを使用して表示したい値を検索し、そのリストを返します。ジェネリック引数は推論できます。

public static List<KeyValuePair<TEnum, string>> ToEnumDescriptionsList<TEnum>(this TEnum value) {
    return Enum
        .GetValues(typeof(TEnum))
        .Cast<TEnum>()
        .Select(x => new KeyValuePair<TEnum, string>(x, ((Enum)((object)x)).GetDescription()))
        .ToList();
}

最後に、使いやすさのために、値なしで直接呼び出すメソッド。ただし、ジェネリック引数はオプションではありません。

public static List<KeyValuePair<TEnum, string>> ToEnumDescriptionsList<TEnum>() {
    return ToEnumDescriptionsList<TEnum>(default(TEnum));
}

これで、次のように使用できます。

enum TestEnum {
    [Description("My first value")]
    Value1,
    Value2,
    [Description("Last one")]
    Value99
}

var items = default(TestEnum).ToEnumDescriptionsList();
// or: TestEnum.Value1.ToEnumDescriptionsList();
// Alternative: EnumExtensions.ToEnumDescriptionsList<TestEnum>()
foreach (var item in items) {
    Console.WriteLine("{0} - {1}", item.Key, item.Value);
}
Console.ReadLine();

どの出力:

Value1 - My first value
Value2 - Value2
Value99 - Last one
于 2013-08-09T11:29:02.720 に答える
0

これは、配列の代わりにリストを返す Nathaniels の回答の修正された [type casted value to int] および簡略化された [getname の代わりに tostring override を使用] バージョンです。

public static class Enum<T>
{
    //usage: var lst =  Enum<myenum>.GetSelectList();
    public static List<SelectListItem> GetSelectList()
    {
        return  Enum.GetValues( typeof(T) )
                .Cast<object>()
                .Select(i => new SelectListItem()
                             { Value = ((int)i).ToString()
                              ,Text = i.ToString() })
                .ToList();
    }

}
于 2016-03-22T18:30:25.987 に答える