我注意到之前曾问过类似的问题,但我没有找到任何详细的例子。
我有一个winform程序,它的构造函数有一个参数cn:
public AddFailure(ProSimConnect cn)// constructor in winform
{
this.connection = cn;
InitializeComponent();
...
}
现在我需要在WPF中的UserControl中模拟它并将其放入MainWindow。
在MainWindow.xaml:
<Border ...>
<IOS:Core_System/>
</Border>
我想这样做,但我知道我不能,因为它不应该有任何参数:
public Core_System(ProSimConnect cn)// constructor in UserControl
{
this.cn = connection;
InitializeComponent();
...
}
因此我尝试使用依赖属性:
public partial class Core_System : UserControl
{
ProSimConnect connection;
//dependency property
public ProSimConnect cn
{
get { return (ProSimConnect) GetValue(connectionProperty); }
set { SetValue(connectionProperty, value); }
}
public static readonly DependencyProperty connectionProperty =
DependencyProperty.Register("cn", typeof(ProSimConnect),typeof(Core_System));
// constructor in UserControl
public Core_System()
{
this.connection = cn;
InitializeComponent();
...
}
...
}
它不起作用 - 报告&#34; null&#34;例外。我哪里错了?感谢。
这是需要在UserControl的构造函数中使用该参数的函数:
Failure []getSelectedFailures()
{
return cn.getFailures().Where(failure => failure_name.Contains(failure.name)).ToArray();
}
我称之为的地点是:
public partial class Core_System : UserControl
{
...
private void button_Engine_1_On_Fire(object sender, RoutedEventArgs e)
{
...
ArmedFailure.create(getSelectedFailures());
}
}
答案 0 :(得分:1)
在构造函数返回之前,无法设置依赖项属性。
您可以将ProSimConnect
的构造函数中使用UserControl
的任何代码移动到依赖项属性回调:
public partial class Core_System : UserControl
{
ProSimConnect connection;
//dependency property
public ProSimConnect cn
{
get { return (ProSimConnect)GetValue(connectionProperty); }
set { SetValue(connectionProperty, value); }
}
public static readonly DependencyProperty connectionProperty =
DependencyProperty.Register("cn", typeof(ProSimConnect), typeof(Core_System), new PropertyMetadata(new PropertyChangedCallback(OnPropertySet));
private static void OnPropertySet(DependencyObject d, DependencyPropertyChangedEventArgs e)
{
Core_System ctrl = d as Core_System;
ctrl.connection = e.NewValue as ProSimConnect;
//...
}
// constructor in UserControl
public Core_System()
{
InitializeComponent();
}
}
只要依赖属性设置为值,就会调用回调。