当需要在 Avalonia 中展示一个列表时,ItemsControl 是一个不错的选择。如果需要针对列表中的某一项进行操作,通常不会在 ItemModel 中进行实现,而是放入列表所在的 ViewModel 中:
public class ItemModel { public ItemModel(string name) { this.Name = name; } public string Name { get; } }
using CommunityToolkit.Mvvm.Input; using System.Collections.ObjectModel; public partial class MainViewModel : ViewModelBase { public ObservableCollection<ItemModel> Items { get; } = new ObservableCollection<ItemModel>(); public MainViewModel() { for (int i = 0; i < 50; i++) { this.Items.Add(new ItemModel("Item " + (i + 1))); } } [RelayCommand] private void Delete(ItemModel item) { this.Items.Remove(item); } }
后端代码并不复杂,但下面的界面代码会导致编译失败:
<UserControl xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:d="http://schemas.microsoft.com/expression/blend/2008" xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" xmlns:vm="clr-namespace:ItemsPanelMainCommand.ViewModels" mc:Ignorable="d" d:DesignWidth="800" d:DesignHeight="450" x:Class="ItemsPanelMainCommand.Views.MainView" x:DataType="vm:MainViewModel"> <Design.DataContext> <vm:MainViewModel /> </Design.DataContext> <ItemsControl ItemsSource="{Binding Items}"> <ItemsControl.ItemTemplate> <DataTemplate> <StackPanel Orientation="Horizontal"> <TextBlock Text="{Binding Name}"></TextBlock> <Button Command="{Binding DeleteCommand}" CommandParameter="{Binding}">删除</Button> </StackPanel> </DataTemplate> </ItemsControl.ItemTemplate> </ItemsControl> </UserControl>
报错信息如下:
Unable to resolve property or method of name ‘DeleteCommand’ on type ‘ItemsPanelMainCommand.ViewModels.ItemModel’.
AVLN:0004
这是因为进入 ItemsControl 后,控件的 DataContext 被设置为了 ItemModel 的实例,而 ItemModel 本身是不存在 DeleteCommand 的,要想办法找到外层的 MainViewModel 才行。
解决方法
<Button Command="{Binding $parent[ItemsControl].DataContext.DeleteCommand}" x:CompileBindings="False" CommandParameter="{Binding}">删除-方案1</Button> <Button Command="{ReflectionBinding $parent[ItemsControl].DataContext.DeleteCommand}" CommandParameter="{Binding}">删除-方案2</Button> <Button Command="{Binding $parent[ItemsControl].((vm:MainViewModel)DataContext).DeleteCommand }" CommandParameter="{Binding}">删除-方案3</Button>
上面提供了三种方案大同小异:都是通过找到父级的数据上下文然后调用父级控件上下文的 DeleteCommand 。主要区别是:在处理编译绑定时使用了不同的策略。
- 方案 1 为控件附加了一个 x:CompileBindings 属性,并设置值为 False,以此来抑制编译绑定的检查从而保证编译成功。
- 方案 2 直接使用了 ReflectionBinding ,即“反射绑定”。这种绑定方式也不进行编译检查。
- 方案 3 在拿到父级的 DataContext 之后进行了显示的类型转换,确保类型正确后编译通过。
总结
本文所述的代码虽然简单,但也是新手入门期间大概率会碰上的问题。作为一名开发人员,我更倾向于使用第三种方式。本文所示代码已经上传,可以在以下地址查看:
https://gitee.com/coderbusy/demo/tree/master/avaloina/ItemsPanelMainCommand