我有一个 ComboBox,其属性 ItemsSource 和 SelectedValue 绑定到模型。有时,模型需要将所选项目调整为不同的项目,但是当我在模型中执行此操作时,模型值不会反映在视图中,即使正确设置了 SelectedValue(使用 snoop 和在 SelectionChanged 中检查事件处理程序)。
为了说明这个问题,这里是一个简单的 xaml:
<Window x:Class="WpfApplication1.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525" DataContext="{Binding RelativeSource={RelativeSource Self}}">
<Grid>
<ComboBox Height="25" Width="120" SelectedValue="{Binding SelectedValue}" SelectedValuePath="Key" ItemsSource="{Binding PossibleValues}" DisplayMemberPath="Value"/>
</Grid>
</Window>
这是模型:
using System.Collections.Generic;
using System.Windows;
using System.ComponentModel;
namespace WpfApplication1
{
public partial class MainWindow : Window, INotifyPropertyChanged
{
int m_selectedValue = 2;
Dictionary<int, string> m_possibleValues = new Dictionary<int, string>() { { 1, "one" }, { 2, "two" }, { 3, "three" }, {4,"four"} };
public int SelectedValue
{
get { return m_selectedValue; }
set
{
if (value == 3)
{
m_selectedValue = 1;
}
else
{
m_selectedValue = value;
}
PropertyChanged(this, new PropertyChangedEventArgs("SelectedValue"));
}
}
public Dictionary<int, string> PossibleValues
{
get { return m_possibleValues; }
set { m_possibleValues = value; }
}
public MainWindow()
{
InitializeComponent();
}
public event PropertyChangedEventHandler PropertyChanged;
}
}
我预计行为如下:
- 最初,选择两个
- 选择“一”-> ComboBox 显示“一”
- 选择“二”-> ComboBox 显示“二”
- 选择“三” -> ComboBox 显示“一”
- 选择“四”-> ComboBox 显示“四”
然而,在#4 中,显示“三”。为什么?模型中的值更改为 1(“一”),但视图仍显示 3(“三”)。
我通过在 SelectionChanged 事件处理程序中显式更新绑定目标找到了一种解决方法,但这似乎是错误的。还有另一种方法可以实现这一目标吗?