我遇到了一个问题,即当父对象将该对象设置为数据绑定时,我无法创建使用自定义对象属性的用户控件。
尝试解释我的意思是代码。 自定义对象:
public class MyObj
{
public string Text { get; set; }
public MyObj(string text)
{
Text = text;
}
}
用户控制代码背后:
/// <summary>
/// Interaction logic for MyControl.xaml
/// </summary>
public partial class MyControl : UserControl
{
public static readonly DependencyProperty ObjectProperty =
DependencyProperty.Register("Object", typeof (MyObj), typeof (MyControl), new PropertyMetadata(default(MyObj)));
public MyObj Object
{
get { return (MyObj) GetValue(ObjectProperty); }
set { SetValue(ObjectProperty, value); }
}
public MyControl()
{
InitializeComponent();
}
}
用户控制XAML:
<UserControl x:Class="Test.MyControl"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
mc:Ignorable="d"
d:DesignHeight="300" d:DesignWidth="300" DataContext="{Binding RelativeSource={RelativeSource Self}}">
<TextBlock Text="{Binding Object.Text}"/>
所以我希望MyControl能够显示一个TextBlock,文本显示MyObj.Text中的任何字符串;
如果我在代码中添加控件,没有任何绑定,那么这可以正常工作。
MyControl myControl = new MyControl(){ Object = new MyObj("Hello World!") };
grid.Children.Add(myControl);
但是,如果我尝试使用数据绑定,则不会显示任何内容,这里是MainWindow的代码。
代码隐藏:
public partial class MainWindow : Window, INotifyPropertyChanged
{
private MyObj _Object;
public MyObj Object
{
get { return _Object; }
set
{
_Object = value;
OnPropertyChanged("Object");
}
}
public MainWindow()
{
InitializeComponent();
Object = new MyObj("HELLO");
}
public event PropertyChangedEventHandler PropertyChanged;
[NotifyPropertyChangedInvocator]
protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
}
}
XAML:
有没有人能指出我正确的方向,我想这与在UserControl上使用相对源绑定有关,但我不确定。
由于
答案 0 :(得分:14)
我个人从来没有在UserControl上使用相对自我绑定,所以我不确定它是否有效。您可以尝试设置x:Name
的{{1}},并在绑定中使用它。
UserControl
请注意,如果数据绑定在运行时无法绑定,您还应该在“输出”窗口中看到相关的错误消息。
答案 1 :(得分:-1)
这已经很久了..但是因为有一种新技术我想在这里发布。
编译时绑定:这是Windows 10引入的一种新型绑定。这种绑定在经典绑定方面具有很多性能优势。
您无需设置任何 DataContext 页面或控件本身的额外好处是 DataContext ,您可以绑定到页面中的任何内容或控件
<UserControl x:Class="Test.MyControl"
...
x:Name="window">
<TextBlock Text="{x:Bind Object.Text}"/>
</UserControl>
但这是否完美如你想象的那样..不!不是你猜的。 并且有一个答案。
默认情况下,已编译的时间绑定设置为 OneTime ,而不是 OneWay 的经典绑定。
因此您需要明确将模式设置为 OneWay ,以确保值始终更新。
<UserControl x:Class="Test.MyControl"
...
x:Name="window">
<TextBlock Text="{x:Bind Object.Text,Mode=OneWay}"/>
</UserControl>