HasErrors:一個唯讀boolean屬性,這分辨如果對象作為一個整體時是否有驗證error;
GetErrors:該方法對於一個給定的屬性返回驗證error;
ErrorsChanged:當發生新的error——或缺乏error——被檢測到。就會產生這一事件。
需要說明的是,如果你返回false到HasErrors屬性時,如果沒有出現error就會發生綁定。
WPF4.5怎樣使用?
您必須在每個綁定到你的對象ValidatesOnDataErrors屬性設定為true。
在樣本中建立了一個表單,顯示對象的屬性命名為“Person”。這裡將解釋如何在綁定中啟用INotifyDataErrorInfo驗證:
<TextBox Text="{Binding Name,Mode=TwoWay,ValidatesOnNotifyDataErrors=True}"/>
該綁定將自己為ErrorsChanged事件進行註冊。每當綁定屬性事件發生時,這些控制將自動顯示error。前面已經指出,這隻會出現在當HasErrors被設定為true時。
在驗證Person類時發生了延遲。在設定任何屬性時驗證都將發生,但它會因“WaitSecondsBeforeValidation ”而延遲數秒。
儲存每個屬性下面的error並通過GetErros方法來提供。如果有其中的error出現那麼HasErrors屬性將返回為true。以下是實現代碼:
public System.Collections.IEnumerable GetErrors(string propertyName)
{
List<string> errorsForName;
_errors.TryGetValue("Name", out errorsForName);
return errorsForName;
}
public bool HasErrors
{
get { return _errors.Values.FirstOrDefault(l => l.Count > 0) != null; }
}
private Dictionary<string, List<string>> _errors =
new Dictionary<string, List<string>>();
private void Validate()
{
Task waitTask = new Task(() => Thread.Sleep(
TimeSpan.FromSeconds(WaitSecondsBeforeValidation)));
waitTask.ContinueWith((_) => RealValidation());
waitTask.Start();
}
private object _lock = new object();
private void RealValidation()
{
lock (_lock)
{
//Validate Name
List<string> errorsForName;
if (!_errors.TryGetValue("Name", out errorsForName))
errorsForName = new List<string>();
else errorsForName.Clear();
if (String.IsNullOrEmpty(Name))
errorsForName.Add("The name can't be null or empty.");
_errors["Name"] = errorsForName;
if (errorsForName.Count > 0) RaiseErrorsChanged("Name");
//Validate Age
List<string> errorsForAge;
if (!_errors.TryGetValue("Age", out errorsForAge))
errorsForAge = new List<string>();
else errorsForAge.Clear();
if (Age <= 0)
errorsForAge.Add("The age must be greater than zero.");
_errors["Age"] = errorsForAge;
if (errorsForAge.Count > 0) RaiseErrorsChanged("Age");
}
最終,我建立了一個減低驗證事件error發生的RaiseErrorsChanged方法:
public event EventHandler<DataErrorsChangedEventArgs> ErrorsChanged;
public void RaiseErrorsChanged(string propertyName)
{
EventHandler<DataErrorsChangedEventArgs> handler = ErrorsChanged;
if (handler == null) return;
var arg = new DataErrorsChangedEventArgs(propertyName);
handler.Invoke(this, arg);
}