XAML 在WINUI3中获取元素根的ViewModel上下文

thtygnil  于 2022-12-07  发布在  其他
关注(0)|答案(1)|浏览(168)

我有一个页面,其中包含一个绑定到我的ViewModel中的对象的ListView x:。该对象包含一个对象列表(时间戳),其中包含一个主题列表,主题列表中包含另一个对象列表。我在两个列表视图中显示数据,一个在另一个中。

<ListView
  x:Name="primaryList" // for exemplification purposes
  ItemsSource="{x:Bind ViewModel.VideoProject.TimeStamps, Mode=OneWay}"
  ItemClick='{x:Bind ViewModel.ListViewTimeStamps_ItemClick, Mode=OneWay}'>

ListView包含另一个ListView的DataTemplate

<ListView.ItemTemplate>
  <DataTemplate>
  <StackPanel Spacing="5">
  <TextBlock Text="{Binding Id}"
  FontSize="15"
  HorizontalAlignment="Left"
  FontWeight="Bold" />
  
  <ListView ItemsSource="{Binding Subjects}"
  x:Name="secondaryList"
  SelectionMode="Multiple">
  <ListView.ItemTemplate>
....

而第二个ListView后面是另一个相同的结构。
我的目标是将第二个ListView ItemClickEvent绑定到ViewModel中的ListViewTimeStamps_ItemClick方法,因为我需要secondaryListView保存的对象(Subject)中包含的数据。我可以尝试将数据模板上下文设置为ViewModel,但这会破坏Subject绑定。
我发现了很多关于这个主题的问题,但是与WPF不同的是,没有AncestorType来捕获up树引用。
Obs:我的项目是基于模板模型的,它创建了XAML.cs,并将ViewModel作为属性。我也没有在XAML页面上设置DataContext,因为我可以将视图模型正常地x:绑定到页面元素,而无需显式设置。
有没有不使用附加属性的方法来完成?谢谢。

iih3973s

iih3973s1#

由于在WinUI中不支持设置RelativeSourceAncestorType属性,因此如果不编写一些代码,就无法在纯XAML中完成此操作。
您可以按照建议和示例here实现一个附加的行为:

public static class AncestorSource
{
    public static readonly DependencyProperty AncestorTypeProperty =
        DependencyProperty.RegisterAttached(
            "AncestorType",
            typeof(Type),
            typeof(AncestorSource),
            new PropertyMetadata(default(Type), OnAncestorTypeChanged)
    );

    public static void SetAncestorType(FrameworkElement element, Type value) =>
        element.SetValue(AncestorTypeProperty, value);

    public static Type GetAncestorType(FrameworkElement element) =>
        (Type)element.GetValue(AncestorTypeProperty);

    private static void OnAncestorTypeChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
    {
        FrameworkElement target = (FrameworkElement)d;
        if (target.IsLoaded)
            SetDataContext(target);
        else
            target.Loaded += OnTargetLoaded;
    }

    private static void OnTargetLoaded(object sender, RoutedEventArgs e)
    {
        FrameworkElement target = (FrameworkElement)sender;
        target.Loaded -= OnTargetLoaded;
        SetDataContext(target);
    }

    private static void SetDataContext(FrameworkElement target)
    {
        Type ancestorType = GetAncestorType(target);
        if (ancestorType != null)
            target.DataContext = FindParent(target, ancestorType);
    }

    private static object FindParent(DependencyObject dependencyObject, Type ancestorType)
    {
        DependencyObject parent = VisualTreeHelper.GetParent(dependencyObject);
        if (parent == null)
            return null;

        if (ancestorType.IsAssignableFrom(parent.GetType()))
            return parent;

        return FindParent(parent, ancestorType);
    }
}

所以到目前为止还没有AncestorType的替代品吗?
不。不在XAML中。

相关问题