我有一个定义的可绑定属性的自定义ContentView
:
public IEnumerable<SomeItem> Items
{
get => (IEnumerable<SomeItem>)GetValue(ItemsProperty);
set => SetValue(ItemsProperty, value);
}
public static readonly BindableProperty ItemsProperty = BindableProperty.Create(
nameof(Items),
typeof(IEnumerable<SomeItem>),
typeof(MyControl),
propertyChanged: (bObj, oldValue, newValue) =>
{
}
);
如何在XAML中为此设置值?
我试过了:
<c:MyControl>
<c:MyControl.Items>
<x:Array Type="{x:Type c:SomeItem}">
<c:SomeItem />
<c:SomeItem />
<c:SomeItem />
</x:Array>
</c:MyControl.Items>
</c:MyControl>
但在编译错误后不时出现:
error : Value cannot be null.
error : Parameter name: fieldType
我做错了什么?有不同的方式吗?
答案 0 :(得分:1)
将ContentView更改为以下内容:
public partial class MyControl : ContentView
{
public ObservableCollection<SomeItem> Items { get; } = new ObservableCollection<SomeItem>();
public MyControl()
{
InitializeComponent();
Items.CollectionChanged += Items_CollectionChanged;
}
public static readonly BindableProperty ItemsProperty = BindableProperty.Create(
nameof(Items),
typeof(ObservableCollection<SomeItem>),
typeof(MyControl)
);
void Items_CollectionChanged(object sender, System.Collections.Specialized.NotifyCollectionChangedEventArgs e)
{
//Here do what you need to do when the collection change
}
}
您的IEnumerable属性会为ObservableCollection更改它并订阅CollectionChanged
事件。
还要对BindableProperty进行一些更改。
现在,在您的XAML中,您可以添加如下项目:
<c:MyControl>
<c:MyControl.Items>
<c:SomeItem />
<c:SomeItem />
<c:SomeItem />
<c:SomeItem />
</c:MyControl.Items>
</c:MyControl>
希望这会有所帮助.-