0

我有两个视图模型,每个视图模型中都有一个 observablecollection。这些集合相互关联。例如,假设一个是具有 Id 和 Name 的 ClassA 的集合,另一个是具有 ClassAId 和一些 OtherValue 的 ClassB 的集合是否可以将这些数据绑定到 ListView,以便对于 CollectionA 中的每个项目,OtherValue 是取自 CollectionB

   <ListView ItemsSource="{Binding ViewModelA.CollectionClassA}">
       <ListView.View>
          <GridView>                            
            <GridViewColumn DisplayMemberBinding="{Binding Path=ClassA.Name}"/>
            <GridViewColumn DisplayMemberBinding="{Binding Path=ClassB.OtherValue}"/>
          </GridView>
         </ListView.View>
    </ListView>

我希望我对我的问题的解释没有让你很困惑:)

4

1 回答 1

1

您最好的选择是返回一个在视图模型级别形成的新集合,该集合基于该集合特有的新视图模型(或模型):

public class OtherViewModel
{
    //Expand these if you want to make it INPC
    public int Id { get; private set; }
    public string Name { get; private set; }
    public Foo OtherValue { get; private set; }
}

public class MainViewModel
{
    // Somewhere in MainViewModel, create the collection
    ObservableCollection<OtherViewModel> CreateCollection(ICollection<ClassA> a, ICollection<ClassB> b)
    {
        var mix = a.Join(b, a => a.Id, b => b.Id,
            (a, b) => new OtherViewModel { Id = a.Id, Name = a.Name, OtherValue = b.OtherValue });

        return new ObservableCollection<OtherViewModel>(mix);
    }

    // Expose the collection (possibly INPC if needed)
    public ObservableCollection<OtherViewModel> MixedCollection { get; private set; }
}

XAML:

<!-- Assuming the DataContext is MainViewModel -->
<ListView ItemsSource="{Binding MixedCollection}">
  <ListView.View>
    <GridView>                            
      <GridViewColumn DisplayMemberBinding="{Binding Path=Name}"/>
      <GridViewColumn DisplayMemberBinding="{Binding Path=OtherValue}"/>
    </GridView>
  </ListView.View>
</ListView>

注意事项:

  • 您可以选择使用ObservableCollection<T>或不使用,这取决于您是否需要此集合是可观察的。
  • 您还可以扩展您的视图模型以订阅ClassAClassB集合,以便当它们中的任何一个发生更改时它可以更新您的主集合。

无论哪种方式,这都应该让您对前进的方向有一个很好的了解,并进行一些小的调整以适应您的代码。

于 2013-01-23T12:06:10.540 回答