0

不久前我在这里问了一个类似的问题WPF MVVM User Control。我得到了一些答案,但他们很遥远,所以我想我不清楚我想做什么......

我正在使用 MVVM 开发 WPF 应用程序。该应用程序是使用基于组件的方法构建的,因此我定义了一些将在整个应用程序中使用的用户控件。例如,我有一个地址控件。我想在整个应用程序的多个地方使用它。这是一个例子。看这里:

http://sdrv.ms/1aD775H

带有绿色边框的部分是地址控件。该控件有自己的视图模型。

当我将它放在窗口或其他控件上时,我需要告诉它要为其加载地址的客户的 PK。所以我创建了一个客户 ID DependencyProperty:

public partial class AddressView : UserControl
{
    public AddressView()
    {
        InitializeComponent();
    }

    public static DependencyProperty CustomerIdProperty = DependencyProperty.Register("CustomerId", typeof(int), typeof(AddressView),
        new UIPropertyMetadata(0, AddressView.CustomerIdPropertyChangedCallback, AddressView.CustomerIdCoerce, true));


    public int CustomerId
    {
        // THESE NEVER FIRE
        get { return (int)GetValue(CustomerIdProperty); }
        set { SetValue(CustomerIdProperty, value); }
    }

    private static void CustomerIdPropertyChangedCallback(DependencyObject d, DependencyPropertyChangedEventArgs args)
    {
        // THIS NEVER FIRES
        AddressView instance = (AddressView)d;
        instance.CustomerId = (int)args.NewValue;
    }
    enter code here
    private static object CustomerIdCoerce(DependencyObject d, object value)
    {
        return value;   // <=== THIS FIRES ON STARTUP
    }
}

然后在 MainWindowView 我有:

<vw:AddressView Grid.Row="1"
                Grid.Column="0"
                x:Name="AddressList"
                CustomerId="{Binding ElementName=TheMainWindow, Path=SelectedCustomer.Id, Mode=TwoWay}"/>

请注意我在用户控件的 CS 中的评论。Coerce 在启动时触发。回调永远不会触发,CustomerId getter 或 setter 也不会触发。

我想要发生的事情似乎很简单,我就是无法让它发挥作用......

选择客户时,应将客户ID传递到地址USERCONTROL。然后在地址 UserControl 的 VM 中应该处理获取和保存数据。

所以,再次,2个问题:

1) 有人看到有什么问题吗?

2)UserControl DP如何将PK发送到ViewModel?

如果有人感兴趣,我的示例项目在这里:http ://sdrv.ms/136bj91

谢谢

4

2 回答 2

0

尝试这个 :

CustomerId="{Binding RelativeSource={RelativeSource FindAncestor, 
AncestorType={x:Type Window}}, Path=DataContext.YourSelectedItem.TheProperty}"

我不确定如何在窗口中管理您选择的项目,因此请yourSelectedItem.TheProperty相应更改。

于 2013-07-22T06:38:40.487 回答
0

在这种情况下,您的CustomerIdgetter 和 setter 永远不会触发。它们只是作为辅助方法存在,以防CustomerIdProperty从后面的代码中访问该属性。

您的CustomerIdPropertyChangedCallback方法不会触发,因为您的绑定表达式不正确。您需要绑定到DataContextofMainWindow而不是窗口本身:

...
CustomerId="{Binding ElementName=TheMainWindow, Path=DataContext.SelectedCustomer.Id}"
...

此外,请确保INotifyPropertyChanged PropertyChanged在绑定到的属性ComboBox更改时调用事件。

于 2013-07-22T09:16:18.653 回答