我是WPF的新手并且(在我看来)有一个奇怪的问题: 我想将一个本地属性(名称:XmlText)绑定到TextBox.Text属性并使用验证规则验证该值:
<TextBox Height="23" Width="301" Margin="78,14,0,0" Name="tbXMLFile" HorizontalAlignment="Left" VerticalAlignment="Top" TextChanged="tbXMLFile_TextChanged">
<TextBox.Style>
<Style TargetType="{x:Type TextBox}">
<Style.Triggers>
<Trigger Property="Validation.HasError" Value="true">
<Setter Property="ToolTip"
Value="{Binding RelativeSource={RelativeSource Self},
Path=(Validation.Errors),
Converter={StaticResource ErrorsToStringConverter}}"/>
</Trigger>
</Style.Triggers>
</Style>
</TextBox.Style>
<TextBox.Text>
<Binding Path="XmlText" UpdateSourceTrigger="PropertyChanged">
<Binding.ValidationRules>
<local:RegexValidationRule Dateiendung="xml"></local:RegexValidationRule>
</Binding.ValidationRules>
</Binding>
</TextBox.Text>
</TextBox>
每当我的属性XmlText获取一个新值时,验证都不会执行任何操作,但如果我在TextBox中手动键入文本,则会验证。
如果我删除TextChanged-Event或将以下代码添加到事件中,则验证将不再起作用:
XmlText = ((TextBox)sender).Text;
有人可以解释为什么程序就像这样吗?
答案 0 :(得分:0)
真正的问题是ValidationRules:它们不是为了做你想的而设计的! 请查看本文,以获取更多详细信息:http://msdn.microsoft.com/en-us/library/system.windows.controls.validationrule.aspx
(当您使用WPF数据绑定模型时,您可以将ValidationRules与绑定对象相关联。要创建自定义规则,请创建此类的子类并实现Validate方法。可选地,使用内置的ExceptionValidationRule,它捕获在源更新期间抛出的异常,或DataErrorValidationRule,它检查由源对象的IDataErrorInfo实现引发的错误。 每次将输入值(绑定目标属性值)传输到绑定源属性时,绑定引擎都会检查与绑定关联的每个ValidationRule。)
如果在绑定的对象的类中实现System.ComponentModel.IDataErrorInfo
接口,您将捕获任何验证(分配绑定属性以及UI)。
它们只是两种方法,我向您展示了一个属性示例:
public class TestObject : INotifyPropertyChanged, IDataErrorInfo
{
private string _xmlText;
public string XmlText
{
get
{
return _xmlText;
}
set
{
if (value != _xmlText)
{
_xmlText = value;
NotifyPropertyChanged("XmlText");
}
}
}
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void NotifyPropertyChanged(string propertyName)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (null != handler)
handler(this, new PropertyChangedEventArgs(propertyName));
}
public string Error
{
get { throw new NotImplementedException(); }
}
public string this[string columnName]
{
get
{
string result = null;
if (columnName == "XmlText")
{
if (XmlText.Length > 5)
result = "Too much long!";
}
return result;
}
}
}
现在,绑定验证应该可以完美运行:
<TextBox.Text>
<Binding Path="XmlText"
UpdateSourceTrigger="PropertyChanged"
ValidatesOnDataErrors="True"
Mode="TwoWay" />
</Binding>
</TextBox.Text>