我有一个数据表单,它绑定到一个对象,该对象的属性用System.ObjectModel.DataAnnotation
属性装饰以进行验证。
我面临的问题是,这个类的一些属性只是有条件需要的,不需要验证。例如,当应用程序的管理员决定编辑用户时,他或她可以输入密码/密码确认/密码问题/密码答案。或者他/她可能会完全跳过这些属性。
因此,如果管理员决定输入这4个字段中的任何一个,它们都必须存在,并且必须应用所有这些字段的验证规则。但是,如果管理员只想更改FirstName、LastName、Email或任何其他任意属性,则无需验证与密码相关的字段。
是否有办法将它们从验证过程中"排除"?
这是我使用的对象的示例:
public class RegistrationData
{
public string FirstName { get; set; }
public string LastName { get; set; }
public string Email { get; set; }
public string Username { get; set; }
public string Password { get; set; }
public string PasswordConfirm { get; set; }
public string PasswordQuestion { get; set; }
public string PasswordAnswer { get; set; }
}
我在Xaml中有一个名为registrationForm的DataForm,我得到的错误在以下代码中:
private void RegistrationButton_Click(object sender, RoutedEventArgs e)
{
if( this.registerForm.ValidateItem() )
{
//Does not pass validaton if the password properties are not filled in.
}
}
有什么解决办法吗?
我正在考虑使用两个DataForms。。。并将用户对象一分为二,但这涉及到大量代码。。。
我建议在RegistrationData对象上使用INotifyDataError接口。
public string LabelWrapper
{
get
{
return this.Label;
}
set
{
ValidateRequired("LabelWrapper", value, "Label required");
ValidateRegularExpression("LabelWrapper", value, @"^[w-_ ]+$", "Characters allowed (a-z,A-Z,0-9,-,_, )");
this.Label = value;
this.RaisePropertyChanged("LabelWrapper");
}
}
public string DependentLabelWrapper
{
get
{
return this.DependentLabel;
}
set
{
if(LabelWrapper != null){
ValidateRequired("DependentLabelWrapper", value, "Label required");
ValidateRegularExpression("LabelWrapper", value, @"^[w-_ ]+$", "Characters allowed (a-z,A-Z,0-9,-,_, )");
}
this.DependentLabel = value;
this.RaisePropertyChanged("DependentLabelWrapper");
}
}
我建议你看看这个链接http://blogs.msdn.com/b/nagasatish/archive/2009/03/22/datagrid-validation.aspx以了解有关不同验证类型的更多信息。
MSDN也有一个很好的解释如何使用它
http://msdn.microsoft.com/en-us/library/system.componentmodel.inotifydataerrorinfo%28VS.95%29.aspx
这个问题给我带来了另一个解决方案。我现在使用CustomValidation:
[CustomValidation(typeof(RegistrationDataValidation), "ValidatePassword")]
public class RegistrationData
{
public bool IsNewUser { get; set; }
... // other registration properties
}
public static class RegistrationDataValidation
{
public static ValidationResult ValidatePassword(MembershipServiceUser user, ValidationContext context)
{
if (user.IsNewUser && string.IsNullOrEmpty(user.Password))
{
return new ValidationResult("Password required");
}
return ValidationResult.Success;
}
}
我添加了一个属性IsNewUser,当添加新用户时,我在客户端中设置了这个属性。自定义验证方法检查此属性并执行所需的验证。我在密码上仍然有一个RegularExpression属性,它也将被验证。
与@saindart的解决方案相比,这是在客户端上同步检查的。
最简单、最丑陋的方法是利用DataForm.ValidatingItem事件。像这样:
void dfEditForm_ValidatingItem(object sender, System.ComponentModel.CancelEventArgs e)
{
foreach (ValidationSummaryItem item in dfEditForm.ValidationSummary.Errors)
{
if (item.Sources.Where(W => W.PropertyName != "myIgnoredPropertyName").Count() > 0)
e.Cancel = true;
}
}