假设在xaml窗口中我有<UserControl x:Name="Test">...
我有一个自定义MyListBoxItem
,只添加了一个dependencyproperty UserControlProperty
,typeof UserControl
。
我想使用语法<c:MyListBoxItem UserControl="Test">Information</c:MyListBoxItem>
,我不知道如何在字符串“Test”或者“local:Test”中编写一个typeconverter到该xaml页面上的usercontrol Test。
回答'nit'的评论:
<Window.Resources>
<UserControl x:Key="Test" x:Name="Test"
x:Shared="False">
<Button Height="50"
Width="50" />
</UserControl>
</Window.Resources>
<c:MyListBoxItem UserControl="{StaticResource Test}">Information</c:MyListBoxItem>
有效。
但是我想在常规xaml定义中使用UserControl,并找到了另外两种方法:
<c:MyListBoxItem UserControl="{x:Reference Test}">
但是x:Reference
给出了一个complie时间错误:方法/操作未实现。它仍然运行哪个顺便说一句很奇怪的imo。和
<c:MyListBoxItem UserControl="{Binding ElementName=Test}"
这是一个很好的解决方案。
至于你能达到的目的:
private void Menu_SelectionChanged(object sender, SelectionChangedEventArgs e)
{
foreach (var item in e.RemovedItems)
{
// collapse usercontrol
UserControl uc = (item as MyListBoxItem).UserControl;
if (uc != null) uc.Visibility = Visibility.Collapsed;
}
foreach (var item in e.AddedItems)
{
// uncollapse usercontrol
UserControl uc = (item as MyListBoxItem).UserControl;
if (uc != null) uc.Visibility = Visibility.Visible;
}
}
这是一种很好的方式来支持这种菜单结构,xaml定义也在澄清:
<c:MyListBoxItem UserControl="{Binding ElementName=Information}" IsSelected="True">Information</c:MyListBoxItem>
<c:MyListBoxItem UserControl="{Binding ElementName=Edit}" IsSelected="False">Edit</c:MyListBoxItem>
<Grid>
<UserControl x:Name="Information" Visibility="Visible"><Button Content="Placeholder for usercontrol Information" /></UserControl>
<UserControl x:Name="Edit" Visibility="Collapsed"> <Button Content="Placeholder for usercontrol Edit" /></UserControl>
答案 0 :(得分:1)
我不确定你想通过这样做实现什么,但你必须将UserControl放在资源中
<Window.Resources>
<UserControl x:Key="Test" x:Shared="false">
</Window.Resources>
然后您可以将DP设置为
<c:MyListBoxItem UserControl="{StaticResource Test}">Information</c:MyListBoxItem>
答案 1 :(得分:1)
如果您想使用实际的TypeConverter
,您应该可以执行以下操作:
public class UserControlConverter : TypeConverter
{
public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType)
{
if (sourceType == typeof(string)) return true;
return base.CanConvertFrom(context, sourceType);
}
public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value)
{
if (value is string)
{
Type userControlType = Type.GetType(value.ToString(), true, true);
return Activator.CreateInstance(userControlType);
}
return base.ConvertFrom(context, culture, value);
}
public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)
{
if (destinationType == typeof(UserControl))
{
return destinationType.FullName;
}
return base.ConvertTo(context, culture, value, destinationType);
}
}
我没有机会测试这个,所以如果您有任何问题请告诉我。另请注意,您需要使用该类型的全名,如下所示:ApplicationName.ProjectOrFolderNameIfApplicable.ControlName
。另请注意,这只会调用UserControl
的默认(空)构造函数。