WPF 比 WinForms 更受数据驱动。这意味着使用对象(代表您的数据)比处理 UI 元素更好。
您应该有一个集合,它是数据网格的项目源。在相同的数据上下文中,您应该有一个属性来保存所选项目(与集合中的项目类型相同)。所有属性都应通知更改。
考虑MyItem
到数据网格中的每一行都有类,代码将是这样的:
在作为数据网格的数据上下文的类中:
public ObservableCollection<MyItem> MyCollection {get; set;}
public MyItem MySelectedItem {get; set;} //Add change notification
private string _myComparisonString;
public string MyComparisonString
{
get{return _myComparisonString;}
set
{
if _myComparisonString.Equals(value) return;
//Do change notification here
UpdateSelection();
}
}
.......
private void UpdateSelection()
{
MyItem theSelectedOne = null;
//Do some logic to find the item that you need to select
//this foreach is not efficient, just for demonstration
foreach (item in MyCollection)
{
if (theSelectedOne == null && item.SomeStringProperty.StartsWith(MyComparisonString))
{
theSelectedOne = item;
}
}
MySelectedItem = theSelectedOne;
}
在您的 XAML 中,您将拥有一个 TextBox 和一个 DataGrid,类似于以下内容:
<TextBox Text="{Binding MyComparisonString, UpdateSourceTrigger=PropertyChanged}"/>
....
<DataGrid ItemsSource="{Binding MyCollection}"
SelectedItem="{Binding MySelectedItem}"/>
这样,您的逻辑就独立于您的 UI。只要您有更改通知 - UI 就会更新属性并且属性会影响 UI。
[将上面的代码视为伪代码,我目前不在我的开发机器上]