У меня есть ValidationRule, который я хочу использовать для проверки ввода пользователя в DataGrid.
Может случиться так, что пользователь вводит данные, которые нарушают более одного правила, в результате чего некоторые нарушители правил могут быть обнаружены в классе реализации IDataErrorInfo
, а некоторые - в классе ValidationRule
. Следовательно, я хочу объединить и отобразить ВСЕ эти сообщения об ошибках для пользователя (возможно, используя всплывающую подсказку) для конкретной ячейки .
Например, я хочу выполнить проверку, если ';' содержится в любой из клеток. Я хочу проверить это в классе ValidationRule
.
Проверки, характерные для ячейки, должны выполняться в классе реализации IDataErrorInfo
.
Как мне этого добиться?
Мой класс реализации IDataErrorInfo:
public class RawTag : IDataErrorInfo, INotifyPropertyChanged
{
private int hash;
private string tagName;
private string cycle;
private string source;
public RawTag()
{
RefreshHash();
}
public void RefreshHash()
{
hash = GetHashCode();
}
public RawTag(string tagName, string cycle, string source)
{
TagName = tagName;
Cycle = cycle;
Source = source;
RefreshHash();
}
public string TagName
{
get => tagName;
set
{
if (value == tagName) return;
tagName = value;
OnPropertyChanged();
}
}
// should be an integer but any entered value shall be accepted
public string Cycle
{
get => cycle;
set
{
if (value == cycle)
{
return;
}
cycle = value;
OnPropertyChanged();
}
}
public string Source
{
get => source;
set
{
if (value == source) return;
source = value;
OnPropertyChanged();
}
}
string IDataErrorInfo.Error
{
get
{
StringBuilder error = new StringBuilder();
if (string.IsNullOrEmpty(TagName))
{
error.Append("Name cannot be null or empty");
}
if (!int.TryParse(Cycle.ToString(), out int i))
{
error.Append("Cycle should be an integer value.");
}
return error.ToString();
}
}
private void checkIfEmptyfieldsExists()
{
PropertyInfo[] properties = this.GetType().GetProperties();
}
private bool checkForInvalidCharacter(string value, string character)
{
return value.Contains(character);
}
string IDataErrorInfo.this[string columnName]
{
get
{
// apply property level validation rules
if (columnName == "TagName")
{
if (string.IsNullOrEmpty(TagName))
return "Name cannot be null or empty";
}
if (columnName == "Cycle")
{
if (!int.TryParse(Cycle.ToString(), out int i))
return "Cycle should be an integer value.";
}
if (columnName == "Source")
{
if (string.IsNullOrEmpty(Source))
return "Source must not be empty";
}
return "";
}
}
public override string ToString()
{
return "TagName: " + TagName + " Cycle: " + Cycle + " Source: " + Source;
}
public bool IsDirty()
{
return hash != GetHashCode();
}
protected bool Equals(RawTag other)
{
return string.Equals(TagName, other.TagName) && string.Equals(Cycle, other.Cycle) && string.Equals(Source, other.Source);
}
public override bool Equals(object obj)
{
if (ReferenceEquals(null, obj)) return false;
if (ReferenceEquals(this, obj)) return true;
if (obj.GetType() != this.GetType()) return false;
return Equals((RawTag)obj);
}
public override int GetHashCode()
{
unchecked
{
var hashCode = (TagName != null ? TagName.GetHashCode() : 0);
hashCode = (hashCode * 397) ^ (Cycle != null ? Cycle.GetHashCode() : 0);
hashCode = (hashCode * 397) ^ (Source != null ? Source.GetHashCode() : 0);
return hashCode;
}
}
public event PropertyChangedEventHandler PropertyChanged;
[NotifyPropertyChangedInvocator]
protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
{
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
}
Мой класс ValidationRule:
public class MyValidationRule : ValidationRule
{
public override ValidationResult Validate(object value,
System.Globalization.CultureInfo cultureInfo)
{
BindingGroup group = (BindingGroup)value;
StringBuilder error = null;
foreach (var item in group.Items)
{
IDataErrorInfo info = item as IDataErrorInfo;
if (info != null)
{
if (!string.IsNullOrEmpty(info.Error))
{
if (error == null)
{
error = new StringBuilder();
}
Type type = item.GetType();
PropertyInfo[] properties = type.GetProperties();
foreach (PropertyInfo property in properties)
{
Console.WriteLine(property.GetValue(property.Name, null));
if (property.GetValue(property.Name, null).ToString().Contains(";"))
{
error.Append((error.Length != 0 ? ", " : "") + property.Name + " may not contain a ';'.");
}
}
error.Append((error.Length != 0 ? ", " : "") + info.Error);
}
}
}
if (error != null)
return new ValidationResult(false, error.ToString());
else
return new ValidationResult(true, "");
}
}
Таким образом, LOC в CycleValidationRule: if (error != null)
return new ValidationResult(false, error.ToString());
показывает все собранные сообщения об ошибках, но в последней всплывающей подсказке в DataGrid при наведении на ячейку есть только
'Цикл должен быть целочисленным значением.'
Кажется, как будто определенный стиль:
<Style x:Key="textBlockErrStyle" TargetType="{x:Type TextBlock}">
<Style.Triggers>
<DataTrigger Binding="{Binding Path=(Validation.HasError), RelativeSource={RelativeSource AncestorType=DataGridRow}}" Value="true" >
<Setter Property="Background" Value="Red" />
<Setter Property="Foreground" Value="White" />
<Setter Property="ToolTip" Value="{Binding RelativeSource={x:Static RelativeSource.Self}, Path=(Validation.Errors)[0].ErrorContent}"/>
</DataTrigger>
</Style.Triggers>
</Style>
привязывается к IDataErrorInfo
, но не к моим CycleValiadtionRule
ошибкам проверки.