Html.TextBoxFor/Html.TextAreaFor和Html.EditorFor(带有[DataType(

本文关键字:Html 带有 DataType TextBoxFor TextAreaFor EditorFor | 更新日期: 2023-09-27 17:59:41

我在ASP.NET MVC 3/Razor中使用客户端验证(不引人注目),通过使用Html.EditorFor并指定DataType.MultlineText,我让它在<textarea>上工作,但不应该使用Html.TextAreaFor也进行客户端验证?

[Required(ErrorMessage = "Foo")]
public string Message { get; set; }
// Does add client-side validation
@Html.TextBoxFor(m => m.Message)
// Does NOT add client-side validation
@Html.TextAreaFor(m => m.Message)

[Required(ErrorMessage = "Foo")]
[DataType(DataType.MultilineText)]
public string Message { get; set; }
// Does add client-side validation (and multiline)
@Html.EditorFor(m => m.Message)
// Does NOT add client-side validation
@Html.TextAreaFor(m => m.Message)

<add key="ClientValidationEnabled" value="true" />
<add key="UnobtrusiveJavaScriptEnabled" value="true" />

Html.TextBoxFor/Html.TextAreaFor和Html.EditorFor(带有[DataType(

你上面的例子对我来说很好。我想知道这是一个精确的例子,还是从现实世界的问题中简化的?我在使用具有嵌套属性的模型时发现了这种确切的行为。

例如,如果我把你的模型改成这样:

public class MyModelObject
{
    [Required(ErrorMessage = "Foo")]
    [DataType(DataType.MultilineText)]
    public string Message { get; set; }
}
public class MyModel
{
    public MyModelObject MyObject { get; set; }
}

然后我重现你提到的确切问题。

@Html.EditorFor(x => x.MyObject.Message)

按照预期生成jquery验证属性:

<textarea class="text-box multi-line input-validation-error" data-val="true" data-val-required="Foo" id="MyObject_Message" name="MyObject.Message"></textarea>

但是,这个:

@Html.TextAreaFor(x => x.MyObject.Message)

不:

<textarea cols="20" id="MyObject_Message" name="MyObject.Message" rows="2"></textarea>

如果这确实描述了你的问题,那么看起来这是一个错误:http://aspnet.codeplex.com/workitem/8576

正如obliojoe在他的回答中所建议的那样,当表达式比简单的属性引用更复杂时,就会出现此错误。

我已经实现了解决这个问题的替换助手。诀窍是获得正确的模型元数据,将其传递给HtmlHelper.GetUnobtrusiveValidationAttributes(),然后将接收到的属性传递给原始TextAreaFor()助手:

public static MvcHtmlString TextAreaWithValidationFor<TModel, TProperty>(this HtmlHelper<TModel> helper, Expression<Func<TModel, TProperty>> expression)
{
    var modelMetadata = ModelMetadata.FromLambdaExpression(expression, helper.ViewData);
    var name = ExpressionHelper.GetExpressionText(expression);
    IDictionary<string, object> validationAttributes = helper.GetUnobtrusiveValidationAttributes(name, modelMetadata);
    return TextAreaExtensions.TextAreaFor(helper, expression, validationAttributes);
}

我为CodePlex上报告的错误附加了一个更开发的版本(它提供了所有TextAreaFor重载,包括带有htmlAttributes的重载)。