我在同时打开的两个窗口中使用以下控件模板,并且两个窗口均使用SAME View 模型。
这是模板;
<ControlTemplate x:Key="SecurityTypeSelectionTemplate">
<StackPanel>
<RadioButton GroupName ="SecurityType" Content="Equity"
IsChecked="{Binding Path=SecurityType, Mode=TwoWay, Converter={StaticResource EnumBoolConverter}, ConverterParameter=Equity}" />
<RadioButton GroupName ="SecurityType" Content="Fixed Income"
IsChecked="{Binding Path=SecurityType, Mode=TwoWay, Converter={StaticResource EnumBoolConverter}, ConverterParameter=FixedIncome}" />
<RadioButton GroupName ="SecurityType" Content="Futures"
IsChecked="{Binding Path=SecurityType, Mode=TwoWay, Converter={StaticResource EnumBoolConverter}, ConverterParameter=Futures}" />
</StackPanel>
</ControlTemplate>
这是viewmodel属性:
private SecurityTypeEnum _securityType;
public SecurityTypeEnum SecurityType
{
get { return _securityType; }
set
{
_securityType = value; RaisePropertyChanged("SecurityType");
}
}
这是枚举:
public enum SecurityType { Equity, FixedIncome, Futures }
这是转换器:
public class EnumToBoolConverter : IValueConverter
{
public object Convert(object value, Type targetType, object enumTarget, CultureInfo culture)
{
string enumTargetStr = enumTarget as string;
if (string.IsNullOrEmpty(enumTargetStr))
return DependencyProperty.UnsetValue;
if (Enum.IsDefined(value.GetType(), value) == false)
return DependencyProperty.UnsetValue;
object expectedEnum = Enum.Parse(value.GetType(), enumTargetStr);
return expectedEnum.Equals(value);
}
public object ConvertBack(object value, Type targetType, object enumTarget, CultureInfo culture)
{
string expectedEnumStr = enumTarget as string;
if (expectedEnumStr == null)
return DependencyProperty.UnsetValue;
return Enum.Parse(targetType, expectedEnumStr);
}
}
这个问题有点奇怪。我有两个窗口显示的SAME ViewModel的 View 略有不同。上面显示的相同模板可在两个 View 中重复使用。
如果最初将Equity设置为SecurityType,则可以通过单击相关的单选按钮将其更改为FixedIncome。然后,我无法将其更改回股票。
但是,我可以将其设置为 future 。但是之后,我无法通过单击相关的单选按钮将其更改为FixedIncome或Equity。
在我无法设置将其改回的情况下,正在发生的情况是Setter被调用了两次。第一次将值设置为正确的选定值,但是一旦触发RaisePropertyChanged,
setter再次被调用,这次使用原始值。
感觉就像当RaisePropertyChanged时,setter被第二个窗口中的绑定(bind)调用,从而覆盖了在用户进行选择的第一个窗口中设置的值。
有谁知道这种情况以及在这种情况下如何避免?
最佳答案
这是我的EnumToBoolConverter版本:
public class EnumToBoolConverter : BaseConverterMarkupExtension<object, bool>
{
public override bool Convert(object value, Type targetType, object parameter)
{
if (value == null)
return false;
return value.Equals(Enum.Parse(value.GetType(), (string)parameter, true));
}
public override object ConvertBack(bool value, Type targetType, object parameter)
{
return value.Equals(false) ? DependencyProperty.UnsetValue : parameter;
}
}
关于c# - 使用相同的ViewModel打开两个窗口时,无法设置单选按钮的值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15098611/