在表格上设置“接受按钮”(在WPF中:IsDefault =“True”)很方便。
在Windows窗体世界中,我曾经在UI的相应Click事件中读取UI中的数据。
但是使用WPF,应该使用数据绑定。在Window的构造函数中,我设置了this.DataContext = test;
问题出现了:用户在TextBox2中输入了一些文本,然后点击Enter键。现在,绑定到OK按钮的命令被执行,数据被保存。
但这不是正确的数据!为什么? TextBox2尚未失去焦点,因此ViewModel尚未更新。 将UpdateSourceTrigger更改为PropertyChanged并不总是合适的(例如格式化数字),我正在寻找一般解决方案。
你如何克服这个问题?
答案 0 :(得分:0)
通常我使用自定义附加属性告诉WPF在按下Enter键时更新绑定源
它在XAML中使用如下:
<TextBox Text="{Binding SomeProperty}"
local:TextBoxProperties.EnterUpdatesTextSource="True" />
所附属性的代码如下:
public class TextBoxProperties
{
// When set to True, Enter Key will update Source
public static readonly DependencyProperty EnterUpdatesTextSourceProperty =
DependencyProperty.RegisterAttached("EnterUpdatesTextSource", typeof(bool),
typeof(TextBoxProperties),
new PropertyMetadata(false, EnterUpdatesTextSourcePropertyChanged));
// Get
public static bool GetEnterUpdatesTextSource(DependencyObject obj)
{
return (bool)obj.GetValue(EnterUpdatesTextSourceProperty);
}
// Set
public static void SetEnterUpdatesTextSource(DependencyObject obj, bool value)
{
obj.SetValue(EnterUpdatesTextSourceProperty, value);
}
// Changed Event - Attach PreviewKeyDown handler
private static void EnterUpdatesTextSourcePropertyChanged(DependencyObject obj,
DependencyPropertyChangedEventArgs e)
{
var sender = obj as UIElement;
if (obj != null)
{
if ((bool)e.NewValue)
{
sender.PreviewKeyDown += OnPreviewKeyDownUpdateSourceIfEnter;
}
else
{
sender.PreviewKeyDown -= OnPreviewKeyDownUpdateSourceIfEnter;
}
}
}
// If key being pressed is the Enter key, and EnterUpdatesTextSource is set to true, then update source for Text property
private static void OnPreviewKeyDownUpdateSourceIfEnter(object sender, KeyEventArgs e)
{
if (e.Key == Key.Enter)
{
if (GetEnterUpdatesTextSource((DependencyObject)sender))
{
var obj = sender as UIElement;
BindingExpression textBinding = BindingOperations.GetBindingExpression(
obj, TextBox.TextProperty);
if (textBinding != null)
textBinding.UpdateSource();
}
}
}
}