我想为MVC2创建一个自定义验证属性,用于不从RegularExpressionAttribute继承但可以在客户端验证中使用的电子邮件地址。有人能指出我正确的方向吗?
我尝试了一些简单的事情:
[AttributeUsage( AttributeTargets.Property | AttributeTargets.Field, AllowMultiple = false )]
public class EmailAddressAttribute : RegularExpressionAttribute
{
public EmailAddressAttribute( )
: base( Validation.EmailAddressRegex ) { }
}
但它似乎对客户端无效。但是,如果我使用RegularExpression(Validation.EmailAddressRegex)]它似乎工作正常。
答案 0 :(得分:36)
您需要为新属性注册适配器,以便启用客户端验证。
由于RegularExpressionAttribute已经有一个适配器,它是RegularExpressionAttributeAdapter,你所要做的就是重用它。
使用静态构造函数将所有必要的代码保存在同一个类中。
[AttributeUsage(AttributeTargets.Field | AttributeTargets.Property, AllowMultiple = false)]
public class EmailAddressAttribute : RegularExpressionAttribute
{
private const string pattern = @"^\w+([-+.]*[\w-]+)*@(\w+([-.]?\w+)){1,}\.\w{2,4}$";
static EmailAddressAttribute()
{
// necessary to enable client side validation
DataAnnotationsModelValidatorProvider.RegisterAdapter(typeof(EmailAddressAttribute), typeof(RegularExpressionAttributeAdapter));
}
public EmailAddressAttribute() : base(pattern)
{
}
}
有关详细信息,请查看此帖子,说明完整的流程。 http://haacked.com/archive/2009/11/19/aspnetmvc2-custom-validation.aspx
答案 1 :(得分:3)
The CustomValidationAttribute Class MSDN page现在有几个例子。 Phil Haacked的帖子已经过时了。
答案 2 :(得分:0)
查看this文章
中的通用依赖属性验证器答案 3 :(得分:-2)
您是否尝试过使用数据注释?
这是我的Annotations项目 使用System.ComponentModel.DataAnnotations;
public class IsEmailAddressAttribute : ValidationAttribute
{
public override bool IsValid(object value)
{
//do some checking on 'value' here
return true;
}
}
这是我的模型项目
namespace Models
{
public class ContactFormViewModel : ValidationAttributes
{
[Required(ErrorMessage = "Please provide a short message")]
public string Message { get; set; }
}
}
这是我的控制器
[AcceptVerbs(HttpVerbs.Post)]
public ActionResult ContactUs(ContactFormViewModel formViewModel)
{
if (ModelState.IsValid)
{
RedirectToAction("ContactSuccess");
}
return View(formViewModel);
}
您需要google DataAnnotations,因为您需要抓取项目并进行编译。我会这样做,但我需要离开这里很长一段时间。
希望这有帮助。
修改强>