说我有这样的模型
public class User
{
[Required]
[StringLength(14, ErrorMessage = "Can only be 14 characters long")]
public string UserName;
}
我想创建一个这样的Html帮助器:
@Html.ValidatableEditorFor(m => m.UserName)
这样就可以使用正确的jQuery Vaidation插件格式发出一个文本字段,以便能够验证,如下所示:
<input type="text" class="required" maxlength="14" />
根据我的研究,似乎没有办法迭代MetaDataModel中的所有数据注释,以便我可以检查哪一个适用于jQuery验证。
我如何设想它在伪代码中工作:
var tag = new TagBuilder("input");
tag.mergeAttribute("type", "text");
foreach(var attribute in metadata.attributes)
{
CheckForValidatableAttribute(attribute, tag);
}
...
private void CheckForValidatableAttribute(DataAnnotation attribute, TagBuilder tag)
{
switch(attribute.type)
{
case Required:
tag.addClass("required");
break;
case StringLength
tag.mergeAttribute("maxlength", attribute.value)
break;
}
}
我怎么能去实现这样的帮手呢?我希望它能够处理数据注释,这样我就不必复制验证文字了。
例如,像TextEditorFor这样的当前Html助手会将可验证的属性附加到其输出字段。它是如何做到的,我如何实现自己的实现呢?
干杯
答案 0 :(得分:6)
您可以使用以下简单条件:
if(attribute.Type is ValidationAttribute)
{
string className = attribute.Type.Name.Replace("Attribute", "").ToLower();
}
定义一个Html帮助器:
public static MvcHtmlString ValidationEditorFor<TModel, TProperty>(this HtmlHelper<TModel> htmlHelper,
Expression<Func<TModel, TProperty>> expression)
{
....
}
创建此辅助方法:
private static string GetPropertyNameFromExpression<TModel, TProperty>(HtmlHelper<TModel> htmlHelper, Expression<Func<TModel, TProperty>> expression)
{
MemberExpression memberExpression = expression.Body as MemberExpression;
if (memberExpression == null)
throw new InvalidOperationException("Not a memberExpression");
if (!(memberExpression.Member is PropertyInfo))
throw new InvalidOperationException("Not a property");
return memberExpression.Member.Name;
}
现在在ValidationEditorFor
:
var propertyName = GetPropertyNameFromExpression(htmlHelper, expression);
var propertyType = typeof(TModel).GetProperties().Where(x=>x.Name == propertyName).First().PropertyType;
var attributes = propertyType.GetCustomAttributes(true).OfType<ValidationAttribute>();
现在你可以查看属性....休息很简单。
答案 1 :(得分:2)
略微改变并提取成帮助者。
using System;
using System.Collections.Generic;
using System.ComponentModel.DataAnnotations;
using System.Linq;
using System.Linq.Expressions;
using System.Reflection;
namespace Payntbrush.Infrastructure.Web.Mvc
{
public static class ReflectionHelper
{
public static IEnumerable<ValidationAttribute> GetAttributes<TModel, TProperty>(Expression<Func<TModel, TProperty>> expression)
{
Type type = typeof(TModel);
var prop = type.GetProperty(GetPropertyNameFromExpression(expression));
return prop.GetCustomAttributes(true).OfType<ValidationAttribute>();
}
private static string GetPropertyNameFromExpression<TModel, TProperty>(Expression<Func<TModel, TProperty>> expression)
{
var memberExpression = expression.Body as MemberExpression;
if (memberExpression == null)
throw new InvalidOperationException("Not a memberExpression");
if (!(memberExpression.Member is PropertyInfo))
throw new InvalidOperationException("Not a property");
return memberExpression.Member.Name;
}
}
}