我想创建具有以下属性的可编辑组合框:
- 将文本属性绑定到我的数据模型。
- 数据模型可能会覆盖 GUI 中的更改,即使在选择更改时也是如此。例如,我可以从 1、2、3 中进行选择,我选择 2,但下方的某些组件将其更改为 3。
更新以下事件的数据模型:
- 选择已更改
- 失去焦点
- 按下 Enter(应该与失去焦点的行为相同)。
我已经能够创建这样的控件,但它非常丑陋(使用了许多 hack),我希望有一种更简单的方法……</p>
提前致谢
我想创建具有以下属性的可编辑组合框:
更新以下事件的数据模型:
我已经能够创建这样的控件,但它非常丑陋(使用了许多 hack),我希望有一种更简单的方法……</p>
提前致谢
好的,这就是我所做的,它并没有那么难看:
/// <summary>
/// Editable combo box which updates the data model on the following:
/// 1. Select## Heading ##ion changed
/// 2. Lost focus
/// 3. Enter or Return pressed
///
/// In order for this to work, the EditableComboBox requires the follows, when binding:
/// The data model value should be bounded to the Text property of the ComboBox
/// The binding expression UpdateSourceTrigger property should be set to LostFocus
/// e.g. in XAML:
/// <PmsEditableComboBox Text="{Binding Path=MyValue, UpdateSourceTrigger=LostFocus}"
/// ItemsSource="{Binding Path=MyMenu}"/>
/// </summary>
public class PmsEditableComboBox : ComboBox
{
/// <summary>
/// Initializes a new instance of the <see cref="PmsEditableComboBox"/> class.
/// </summary>
public PmsEditableComboBox()
: base()
{
// When TextSearch enabled we'll get some unwanted behaviour when typing
// (i.e. the content is taken from the DropDown instead from the text)
IsTextSearchEnabled = false;
IsEditable = true;
}
/// <summary>
/// Use KeyUp and not KeyDown because when the DropDown is opened and Enter is pressed
/// We'll get only KeyUp event
/// </summary>
protected override void OnKeyUp(KeyEventArgs e)
{
base.OnKeyUp(e);
// Update binding source on Enter
if (e.Key == Key.Return || e.Key == Key.Enter)
{
UpdateDataSource();
}
}
/// <summary>
/// The Text property binding will be updated when selection changes
/// </summary>
protected override void OnSelectionChanged(SelectionChangedEventArgs e)
{
base.OnSelectionChanged(e);
UpdateDataSource();
}
/// <summary>
/// Updates the data source.
/// </summary>
private void UpdateDataSource()
{
BindingExpression expression = GetBindingExpression(ComboBox.TextProperty);
if (expression != null)
{
expression.UpdateSource();
}
}
}
最简单的方法是在绑定上使用 UpdateSourceTrigger 属性。您可能无法完全匹配您当前的行为,但您可能会发现它具有可比性。
UpdateSourceTrigger 属性控制绑定的目标何时更新源。不同的 WPF 控件在绑定时对该属性有不同的默认值。
以下是您的选择:
UpdateSourceTrigger.Default = 允许目标控件确定 UpdateSourceTrigger 模式。
UpdateSourceTrigger.Explicit = 仅在有人调用 BindingExpression.UpdateSource() 时更新源;
UpdateSourceTrigger.LostFocus = 每当目标失去焦点时自动更新绑定源。这样可以完成更改,然后在用户继续移动后更新绑定。
UpdateSourceTrigger.PropertyChanged = 每当目标上的 DependencyProperty 更改值时,源都会立即更新。大多数用户控件不默认使用此属性,因为它需要更多绑定更新(可能是性能问题)。