我在CRUD表单中遇到一些困难。我们有一个按钮,用于保存表单并将IsDefault标志设置为true,这样用户可以在任何时候按Enter键保存表单。
问题是,当用户在文本框中键入并按Enter键时,不会更新文本框绑定的源。我知道这是因为文本框的默认UpdateSourceTrigger
功能是LostFocus
,我用来解决问题的是某些情况,但这实际上会导致其他情况下出现更多问题。
对于标准string
字段,这很好,但是对于像double
和int
这样的事情,会在属性更改时进行验证,因此请阻止用户输入say {{1绑定到双源的文本框(它们可以键入1,但验证会停止小数,它们可以键入1.5
然后将光标向后移动,然后按15
。
有没有更好的方法来解决这个问题?我查看了在代码中刷新窗口中所有绑定的方法,这些绑定在.
事件中发出了PropertyChanged
事件,但这只会刷新目标,而不是源。
答案 0 :(得分:2)
当我不想在绑定上设置UpdateSourceTrigger=PropertyChanged
时,我的标准解决方案是使用自定义AttachedProperty
,当设置为true时,将在时更新绑定源按
这是我的附属物的副本
// When set to True, Enter Key will update Source
#region EnterUpdatesTextSource DependencyProperty
// Property to determine if the Enter key should update the source. Default is False
public static readonly DependencyProperty EnterUpdatesTextSourceProperty =
DependencyProperty.RegisterAttached("EnterUpdatesTextSource", typeof (bool),
typeof (TextBoxHelper),
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();
}
}
}
#endregion //EnterUpdatesTextSource DependencyProperty
它的使用方式如下:
<TextBox Text="{Binding SomeText}" local:EnterUpdatesTextSource="True" />
答案 1 :(得分:0)
您可以使用以下代码更新绑定源:
textBox1.GetBindingExpression(TextBox.TextProperty).UpdateSource();