enum
のDisplayAttribute
プロパティを取得しようとしています。そのため、利用可能な値(RESTful APIに公開する)を列挙できます。.NETコアの列挙型
次のように私が列挙を持っている:
/// <summary>
/// Available Proposal Types
/// </summary>
public enum ProposalTypes
{
Undefined = 0,
/// <summary>
/// Propose an administrative action.
/// </summary>
[Display(Name = "Administrative", Description = "Propose an administrative action.")]
Administrative,
/// <summary>
/// Propose some other action.
/// </summary>
[Display(Name = "Miscellaneous", Description = "Propose some other action.")]
Miscellaneous
}
私はそのようにのようないくつかのヘルパーメソッドを作った。このため
/// <summary>
/// A generic extension method that aids in reflecting
/// and retrieving any attribute that is applied to an `Enum`.
/// </summary>
public static TAttribute GetAttribute<TAttribute>(this Enum enumValue) where TAttribute : Attribute
{
var type = enumValue.GetType();
var typeInfo = type.GetTypeInfo();
var attributes = typeInfo.GetCustomAttributes<TAttribute>();
var attribute = attributes.FirstOrDefault();
return attribute;
}
/// <summary>
/// Returns a list of possible values and their associated descriptions for a type of enumeration.
/// </summary>
/// <typeparam name="TEnum"></typeparam>
/// <returns></returns>
public static IDictionary<string, string> GetEnumPossibilities<TEnum>() where TEnum : struct
{
var type = typeof(TEnum);
var info = type.GetTypeInfo();
if (!info.IsEnum) throw new InvalidOperationException("Specified type is not an enumeration.");
var results = new Dictionary<string, string>();
foreach (var enumName in Enum.GetNames(type)
.Where(x => !x.Equals("Undefined", StringComparison.CurrentCultureIgnoreCase))
.OrderBy(x => x, StringComparer.CurrentCultureIgnoreCase))
{
var value = (Enum)Enum.Parse(type, enumName);
var displayAttribute = value.GetAttribute<DisplayAttribute>();
results[enumName] = $"{displayAttribute?.Name ?? enumName}: {displayAttribute?.Description ?? enumName}";
}
return results;
}
使い方は次のようになりますようです何
var types = Reflection.GetEnumPossibilities<ProposalTypes>();
しかし、起こっているのは、GetAttribute<TAttribute>
メソッドにあります。私がwを探している属性を取得しようとするとith:
var attributes = typeInfo.GetCustomAttributes<TAttribute>();
...結果の値は空の列挙であり、したがってNULL値を戻します。私が読んだことのすべてから、それはうまくいくはずです。そして、私は関連するDisplayAttribute
を取り戻すべきです...しかし、私はヌル値を取り戻します。
私は間違っていますか?
最後に、この辞書(GetEnumPossibilitiesの戻り値)で何をやっていますか?これをJSONとしてどこかに返すのであれば、不必要に多くの問題が発生します。 JSON.NETは属性を適切にシリアル化します。 –
@HristoYankov私はこれを使用して、APIコンシューマフロントエンドに通知する可能なタイプを定義するエンドポイントを作成しています。 –