6

我有ComboBox很多“客户”使用 MultiBindingas Text(例如“644 Pizza Place”),这从一开始就很好地搜索(CustomerNumber)。但是如何通过输入“Pizza Place”使其匹配和选择?

<MultiBinding StringFormat="{}{0} {1}">
    <Binding Path="CustomerNumber" />
    <Binding Path="CustomerName" />
</MultiBinding>
4

2 回答 2

4

ComboBox 使用TextSearch 类进行项目查找。您可以在 ComboBox 上设置 TextSearch.TextPath 依赖属性:

    <ComboBox Name="cbCustomers" TextSearch.TextPath="CustomerName">...</ComboBox>

这将允许您按 CustomerName 进行匹配,但您将失去按 CustomerNumber 的匹配。

查找(没有太多细节)通过以下方式完成:在您键入时调用 ComboBox.TextUpdated 方法。此方法调用 TextSearch.FindMatchingPrefix 来查找匹配项。TextSearch.FindMatchingPrefix 是使用 string.StartsWith(..) 调用的方法。

无法替换 string.StartsWith() 调用或 TextSearch.FindMatchingPrefix 调用其他内容。因此,如果您想将 string.StartsWith() 与您的自定义逻辑(如 string.Contains)交换,看起来您必须编写自定义 ComboBox 类

于 2013-03-08T11:32:59.110 回答
1

在这里,我在 MVVM 框架中有一个替代方案。

我的 xml 文件:

<ComboBox Name="cmbContains" IsEditable="True" IsTextSearchEnabled="false" ItemsSource="{Binding pData}"  DisplayMemberPath="wTitle" Text="{Binding SearchText ,Mode=TwoWay}"  >
  <ComboBox.Triggers>
      <EventTrigger RoutedEvent="TextBoxBase.TextChanged">
          <BeginStoryboard>
              <Storyboard>
                  <BooleanAnimationUsingKeyFrames Storyboard.TargetProperty="IsDropDownOpen">
                      <DiscreteBooleanKeyFrame Value="True" KeyTime="0:0:0"/>
                  </BooleanAnimationUsingKeyFrames>
              </Storyboard>
          </BeginStoryboard>
      </EventTrigger>
  </ComboBox.Triggers>
</ComboBox>

我的cs文件:

//ItemsSource - pData
//There is a string attribute - wTitle included in the fooClass (DisplayMemberPath)
private ObservableCollection<fooClass> __pData;
public ObservableCollection<fooClass> pData {
    get { return __pData; }
    set { Set(() => pData, ref __pData, value);
        RaisePropertyChanged("pData");
    }
}

private string _SearchText;
public string SearchText {
    get { return this._SearchText; }
    set {
        this._SearchText = value;
        RaisePropertyChanged("SearchText");

        //Update your ItemsSource here with Linq
        pData = new ObservableCollection<fooClass>{pData.ToList().Where(.....)};
    }
}

您可以看到可编辑的组合框正在绑定到字符串 (SearchText) 一旦出现 TextChanged 事件,就会显示下拉菜单,并且双向绑定会更新值。在进入 set{} 时,cs 文件中的 ItemsSource 发生了变化;句法。

上面代码的要点

于 2016-07-07T14:24:18.650 回答