我有一个抽象的模型
public abstract class Treasure {
public abstract int Value { get; }
public abstract string Label { get; }
}
和实施
public class Coins : Treasure {
[DisplayName("Coin Value")]
public override int Value {
get { ... }
}
[DisplayName("Coins")]
public override string Label {
get { ... }
}
当我在其上使用Html.LabelFor
时,我的硬币对象在我的视图中不显示“硬币”作为其标签,它显示“标签”。如果我将DisplayName属性移动到Treasure中,它可以工作......但是我需要能够为Treasure类的不同实现更改标签。这可能吗?
答案 0 :(得分:4)
如果视图中的模型是Coins,我能够正常工作。但是如果模型是Treasure,则会失败。为什么?因为当Html Helper呈现Html时,它只查看视图中指定的模型类型,而不是实际对象的对象类型。当它获得属性时,它将只获得Treasure的属性而不是Coins。我认为你必须为此编写自己的Html助手。
internal static MvcHtmlString LabelFor<TModel, TValue>(this HtmlHelper<TModel> html, Expression<Func<TModel, TValue>> expression, string labelText, IDictionary<string, object> htmlAttributes, ModelMetadataProvider metadataProvider)
{
return LabelExtensions.LabelHelper((HtmlHelper) html, ModelMetadata.FromLambdaExpression<TModel, TValue>(expression, html.ViewData, metadataProvider), ExpressionHelper.GetExpressionText((LambdaExpression) expression), labelText, htmlAttributes);
}
在幕后,MVC使用ModelMetadata.FromLambdaExpression<TModel, TValue>
来查找“DisplayName”,当它无法在传入的类型中找到一个时......它返回PropertyName
。
internal static MvcHtmlString LabelHelper(HtmlHelper html, ModelMetadata metadata, string htmlFieldName, string labelText = null, IDictionary<string, object> htmlAttributes = null)
{
string str = labelText;
if (str == null)
{
string displayName = metadata.DisplayName;
if (displayName == null)
{
string propertyName = metadata.PropertyName;
if (propertyName == null)
str = Enumerable.Last<string>((IEnumerable<string>) htmlFieldName.Split(new char[1]
{
'.'
}));
else
str = propertyName;
}
else
str = displayName;
}
string innerText = str;
if (string.IsNullOrEmpty(innerText))
return MvcHtmlString.Empty;
TagBuilder tagBuilder1 = new TagBuilder("label");
tagBuilder1.Attributes.Add("for", TagBuilder.CreateSanitizedId(html.ViewContext.ViewData.TemplateInfo.GetFullHtmlFieldName(htmlFieldName)));
tagBuilder1.SetInnerText(innerText);
TagBuilder tagBuilder2 = tagBuilder1;
bool flag = true;
IDictionary<string, object> attributes = htmlAttributes;
int num = flag ? 1 : 0;
tagBuilder2.MergeAttributes<string, object>(attributes, num != 0);
return TagBuilderExtensions.ToMvcHtmlString(tagBuilder1, TagRenderMode.Normal);
}