我建議你在OptionA上實現IDataErrorInfo,而不是使用驗證規則。
根據https://blogs.msdn.microsoft.com/wpfsdk/2007/10/02/data-validation-in-3-5/的「當使用驗證規則與IDataErrorInfo的」一節中,對於「UI或業務層驗證邏輯」:
使用驗證規則: 驗證邏輯從數據源分離,並且可以在控件之間重用。
使用IDataErrorInfo:驗證邏輯更接近源。
下面是一些讓你開始的代碼。
XAML:
<Window x:Class="WpfApplication33.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
xmlns:local="clr-namespace:WpfApplication33"
xmlns:val="clr-namespace:WpfApplication33"
mc:Ignorable="d"
Title="MainWindow" Height="350" Width="525">
<Window.DataContext>
<local:VM />
</Window.DataContext>
<Window.Resources>
<ControlTemplate x:Key="validationErrorTemplate">
<StackPanel Orientation="Horizontal">
<AdornedElementPlaceholder x:Name="textBox"/>
<TextBlock Text="{Binding [0].ErrorContent}" Foreground="Red"/>
</StackPanel>
</ControlTemplate>
<DataTemplate DataType="{x:Type local:OptionA}">
<TextBox Width="100"
Validation.ErrorTemplate="{StaticResource validationErrorTemplate}"
Text="{Binding value, UpdateSourceTrigger=PropertyChanged, ValidatesOnDataErrors=True}" />
</DataTemplate>
</Window.Resources>
<Grid>
<ListView ItemsSource="{Binding Items}" />
</Grid>
</Window>
CS:
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Windows;
namespace WpfApplication33
{
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
}
public class VM
{
public List<OptionA> Items { get; set; }
public VM()
{
Items = new List<OptionA>() {
new OptionA() {value=1, low_lim = 0, high_lim = 2 },
new OptionA() {value=2, low_lim = 3, high_lim = 4 }, // too low
new OptionA() {value=3, low_lim = 2, high_lim = 5 },
new OptionA() {value=4, low_lim = 6, high_lim = 9 }, // too low
new OptionA() {value=5, low_lim = 0, high_lim = 4 }, // too high
};
}
}
public class OptionA : INotifyPropertyChanged, IDataErrorInfo
{
public event PropertyChangedEventHandler PropertyChanged;
private void OPC(string name) { if (PropertyChanged != null) PropertyChanged(this, new PropertyChangedEventArgs(name)); }
private int _value, _low_lim, _high_lim;
public int value { get { return _value; } set { if (_value != value) { _value = value; OPC("value"); } } }
public int low_lim { get { return _low_lim; } set { if (_low_lim != value) { _low_lim = value; OPC("low_lim"); } } }
public int high_lim { get { return _high_lim; } set { if (_high_lim != value) { _high_lim = value; OPC("high_lim"); } } }
#region IDataErrorInfo
public string Error
{
get
{
return null;
}
}
public string this[string columnName]
{
get
{
string err = null;
if (columnName == "value")
{
if (value < low_lim || value > high_lim)
err = string.Format("Value is out of the range of {0} to {1}.", low_lim, high_lim);
}
return err;
}
}
#endregion
}
}
截圖:
無瑕,工作就像一個魅力:-)非常感謝 – Resu