我在WPF中有一个可编辑的组合框(IsEditable = True)。我还想确保用户输入的值仅在列表中。我不希望用户将自己的值添加到组合中。我不能使IsReadonly = true,因为它不允许用户输入。那么验证是SelectionChange事件中唯一的选择吗?或者有更好的方法来做同样的事情吗?
由于 Shankara Narayanan。
答案 0 :(得分:1)
我已经这样做,以便用户通过将测试设置为红色来通知他们的输入无效。但你可以使用类似的方法来做别的事情。
XAML:
<Window x:Class="local.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:EditableComboBox="clr-namespace:EditableComboBox"
Title="MainWindow" Height="350" Width="525">
<Window.DataContext>
<EditableComboBox:ComboBoxViewModel />
</Window.DataContext>
<StackPanel>
<ComboBox IsEditable="True" Foreground="{Binding ComboBoxColor, Mode=TwoWay}" Text="{Binding ComboBoxText, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}" />
</StackPanel>
</Window>
守则:
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Linq;
using System.Text;
using System.Windows.Media;
namespace EditableComboBox
{
class ComboBoxViewModel : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
private string m_ComboBoxText;
public string ComboBoxText
{
get { return m_ComboBoxText; }
set
{
m_ComboBoxText = value;
OnPropertyChanged("ComboBoxText");
ValidateText();
}
}
private void ValidateText()
{
if (ComboBoxText.Length % 2 == 0)
ComboBoxColor = Brushes.Black;
else
ComboBoxColor = Brushes.Red;
}
private Brush m_ComboBoxColor;
public Brush ComboBoxColor
{
get { return m_ComboBoxColor; }
set
{
m_ComboBoxColor = value;
OnPropertyChanged("ComboBoxColor");
}
}
protected virtual void OnPropertyChanged(string propertyName)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
}
}
}
答案 1 :(得分:0)
好的..这就是我做的事情
List<dynamic> list = cmbToAcc.ItemsSource as List<dynamic>;
var result = from s in list
where (string)s.Name == (string)cmbToAcc.Text
select s;
if (result.Count() <= 0)
{
Helper.Inform("Please select a valid value.");
cmbToAcc.SelectedIndex = 0;
cmbToAcc.Focus();
}
这是在LostFocus事件中。
我不确定这是否是最好的方式..但是达到了目的
由于
Shankara Narayanan