我知道泛型是在编译时完成的,但我对泛型的工作方式感到困惑(我虽然知道泛型......)。
我创建了以下扩展方法:
public static class EnumExt
{
/// <summary>
/// Gets the description, if any, or the name of the enum as a string in a enum type
/// </summary>
public static string GetDescription<T>(this T enumType) where T : struct, IConvertible
{
FieldInfo fieldInfo = enumType.GetType().GetField(enumType.ToString());
DescriptionAttribute[] descriptionAttributes = (DescriptionAttribute[])
fieldInfo.GetCustomAttributes(typeof(DescriptionAttribute), false);
if (descriptionAttributes.Length > 0)
{
return descriptionAttributes[0].Description;
}
return enumType.ToString();
}
}
我的例子是以下枚举
namespace MyProject.Model
{
[Flags]
public enum MyEnumType
{
[Description("None")]
None = 0,
[Description("Show Products (default)")]
Products = 1,
[Description("Show Tariffs")]
Tariffs = 2
}
}
现在我想从MVC中的HttpHelper中使用它,它返回一个像这样的字符串(html文本)。请注意我的班级可以访问我的EnumExt方法。
public static IHtmlString CheckBoxesForEnumModel<TModel>(this HtmlHelper<TModel> htmlHelper)
{
if (!typeof(TModel).IsEnum)
{
throw new ArgumentException("this helper can only be used with enums");
}
TModel[] allEnumValues = (TModel[])Enum.GetValues(typeof(TModel));
foreach (TModel item in allEnumValues)
{
var descErr = item.GetDescription(); //does not compile, but I know it's a MyEnumType.Tariffs..
var descOk = MyEnumType.Tariffs.GetDescription(); //this line works
//descOk = "Show Tariffs"
}
return new HtmlString("ideally this is some html checkboxes with each enum description");
}
我知道我可以获取所有Enum值并使用TModel迭代它们:
TModel[] allEnumValues = (TModel[])Enum.GetValues(typeof(TModel));
但如果我知道TModel是一个枚举(它是一个MyEnumType),为什么我不能用它来访问枚举扩展方法,如:
allValues[0].GetDescription<>(); //ERROR. this does not compile
我想这是因为我必须以某种方式将它转换为像MyEnumType这样的特定类型,但如何这样做并保持通用?
提前致谢!
更新:感谢第一个答案,我可以通过将TModel
限制为struct, IConvertible
来编译
答案 0 :(得分:3)
因为您的扩展方法是针对T where T : struct, IConvertible
定义的。
但TModel
中的CheckBoxesForEnumModel
不符合这些通用类型约束。
您应该从
更改签名public static IHtmlString CheckBoxesForEnumModel<TModel>(this HtmlHelper<TModel> htmlHelper)
到
public static IHtmlString CheckBoxesForEnumModel<TModel>(this HtmlHelper<TModel> htmlHelper)
where TModel : struct, IConvertible
或更具限制性。
答案 1 :(得分:2)
您的方法需要约束。做,
public static IHtmlString CheckBoxesForEnumModel<TModel>(this HtmlHelper<TModel> htmlHelper) where TModel : struct, IConvertible
{
if (!typeof(TModel).IsEnum)
{
throw new ArgumentException("this helper can only be used with enums");
}
//Here some code to get all the values and the names for this Enum
//But HOW??
return new HtmlString("ideally this is some html checkboxes with each enum description");
}
我希望原因很明显。
答案 2 :(得分:1)
您根据T
创建了枚举的扩展方法,其中T
是struct
的实现IConvertible
。
但是在您的HtmlHelper扩展方法中,您的TModel没有相同的约束,因此编译器无法根据struct
和IConvertible
的类型将您的枚举扩展方法关联起来你的TModel只是一种类型。
为HtmlHelper方法添加相同的约束可以解决问题:
public static IHtmlString CheckBoxesForEnumModel<TModel>(this HtmlHelper<TModel> htmlHelper) where TModel : struct, IConvertible
{
string description = htmlHelper.ViewData.Model.GetDescription();
}