5

これらを含む enumHelper クラスがあります。

public static IList<T> GetValues()
{
  IList<T> list = new List<T>();
  foreach (object value in Enum.GetValues(typeof(T)))
  {
    list.Add((T)value);
  }
  return list;
}

public static string Description(Enum value)
{
  Attribute DescAttribute = LMIGHelper.GetAttribute(value, typeof(DescriptionAttribute));
  if (DescAttribute == null)
    return value.ToString();
  else
    return ((DescriptionAttribute)DescAttribute).Description;
}

私の列挙型は次のようなものです:

public enum OutputType
{
    File,
    [Description("Data Table")]
    DataTable
}

ここまでは順調ですね。前の仕事はすべて順調です。ここで、BindingList> を返す新しいヘルパーを追加したいので、次を使用して任意の列挙型を任意のコンボにリンクできます。

BindingList<KeyValuePair<OutputType, string>> list = Enum<OutputType>.GetBindableList();
cbo.datasource=list;
cbo.DisplayMember="Value";
cbo.ValueMember="Key";

そのために私は追加しました:

public static BindingList<KeyValuePair<T, string>> GetBindingList()
{
    BindingList<KeyValuePair<T, string>> list = new BindingList<KeyValuePair<T, string>>();
    foreach (T value in Enum<T>.GetValues())
    {
        string Desc = Enum<T>.Description(value);
        list.Add(new KeyValuePair<T, string>(value, Desc));
    }
    return list;
}

しかし、「Enum.Description(value)」はコンパイルさえされていません: 引数 '1': 'T' から 'System.Enum' に変換できません

どうやってやるの?それは可能ですか?

ありがとうございました。

4

3 に答える 3

5

この記事を見てください。System.ComponentModel.DescriptionAttribute を使用するか、独自の属性を作成してこれを行うことができます。

/// <summary>
/// Provides a description for an enumerated type.
/// </summary>
[AttributeUsage(AttributeTargets.Enum | AttributeTargets.Field, 
 AllowMultiple = false)]
public sealed class EnumDescriptionAttribute :  Attribute
{
   private string description;

   /// <summary>
   /// Gets the description stored in this attribute.
   /// </summary>
   /// <value>The description stored in the attribute.</value>
   public string Description
   {
      get
      {
         return this.description;
      }
   }

   /// <summary>
   /// Initializes a new instance of the
   /// <see cref="EnumDescriptionAttribute"/> class.
   /// </summary>
   /// <param name="description">The description to store in this attribute.
   /// </param>
   public EnumDescriptionAttribute(string description)
       : base()
   {
       this.description = description;
   }
} 

次に、この新しい属性で列挙値を装飾する必要があります。

public enum SimpleEnum
{
   [EnumDescription("Today")]
   Today,

   [EnumDescription("Last 7 days")]
   Last7,

   [EnumDescription("Last 14 days")]
   Last14,

   [EnumDescription("Last 30 days")]
   Last30,

   [EnumDescription("All")]
   All
} 

すべての「魔法」は、次の拡張メソッドで行われます。

/// <summary>
/// Provides a static utility object of methods and properties to interact
/// with enumerated types.
/// </summary>
public static class EnumHelper
{
   /// <summary>
   /// Gets the <see cref="DescriptionAttribute" /> of an <see cref="Enum" /> 
   /// type value.
   /// </summary>
   /// <param name="value">The <see cref="Enum" /> type value.</param>
   /// <returns>A string containing the text of the
   /// <see cref="DescriptionAttribute"/>.</returns>
   public static string GetDescription(this Enum value)
   {
      if (value == null)
      {
         throw new ArgumentNullException("value");
      }

      string description = value.ToString();
      FieldInfo fieldInfo = value.GetType().GetField(description);
      EnumDescriptionAttribute[] attributes =
         (EnumDescriptionAttribute[])
       fieldInfo.GetCustomAttributes(typeof(EnumDescriptionAttribute), false);

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

   /// <summary>
   /// Converts the <see cref="Enum" /> type to an <see cref="IList" /> 
   /// compatible object.
   /// </summary>
   /// <param name="type">The <see cref="Enum"/> type.</param>
   /// <returns>An <see cref="IList"/> containing the enumerated
   /// type value and description.</returns>
   public static IList ToList(this Type type)
   {
      if (type == null)
      {
         throw new ArgumentNullException("type");
      }

      ArrayList list = new ArrayList();
      Array enumValues = Enum.GetValues(type);

      foreach (Enum value in enumValues)
      {
         list.Add(new KeyValuePair<Enum, string>(value, GetDescription(value)));
      }

      return list;
   }
} 

最後に、コンボボックスをバインドするだけです。

combo.DataSource = typeof(SimpleEnum).ToList();
于 2009-01-06T06:38:58.327 に答える
2

変更する必要があります:

public static string Description(Enum value)
{
  ...
}

public static string Description(T value)
{
   ...
}

そのため、列挙の値を受け入れます。ここでトリッキーになります: 値がありますが、属性は値を保持するフィールドを装飾します。

実際には、列挙型のフィールドを調べて、指定された値に対してそれぞれの値を確認する必要があります (パフォーマンスのために結果をキャッシュする必要があります)。

foreach(var field in typeof(T).GetFields())
{
    T fieldValue;

    try
    {
        fieldValue = (T) field.GetRawConstantValue();
    }
    catch(InvalidOperationException)
    {
        // For some reason, one of the fields returned is {Int32 value__},
        // which throws an InvalidOperationException if you try and retrieve
        // its constant value.
        //
        // I am unsure how to check for this state before
        // attempting GetRawConstantValue().

        continue;
    }

    if(fieldValue == value)
    {
        var attribute = LMIGHelper.GetAttribute(field, typeof(DescriptionAttribute)) as DescriptionAttribute;

        return attribute == null ? value.ToString() : attribute.Description;
    }
}

フォローアップの質問に対処する編集

FillComboFromEnumメソッドに列挙型の型パラメーターがありません。これを試して:

public static void FillComboFromEnum<T>(ComboBox Cbo, BindingList<KeyValuePair<T, string>> List) where T : struct

型を構造体に制限していることに注意してください。これは完全な列挙制約ではありませんが、何もないよりは近いです。

于 2008-11-17T23:57:39.140 に答える
-2

列挙型にはDescription()メソッドがありません。最善の方法は、列挙型にDescription()メソッドを持つインターフェイスを実装させることです。あなたがそれをするなら、あなたは持つことができます

public static BindingList<KeyValuePair<T extends _interface_, String>> getBindingList()

そしてその中であなたは参照することができます

T foo = ...?
foo.Description(...);
于 2008-11-17T23:23:25.527 に答える