I'm trying to wire up the delete button in a TreeView
so that it calls the Remove
method in its immediate parent viewmodel.
I get this exception: System.Exception: 'No target found for method Remove.'
when I click the Delete button.
If I move the Remove
method from B_ViewModel
to SomeViewModel
, it gets called, but I'd prefer not to implement it that way.
How can I tell Message.Attach
to bubble up to its immediate parent?
Here's SomeView.xaml
:
<TreeView ItemsSource="{Binding As}">
<TreeView.Resources>
<HierarchicalDataTemplate DataType="{x:Type vm:A_ViewModel}"
ItemsSource="{Binding Bs}">
<TextBlock Text="{Binding AName}" />
</HierarchicalDataTemplate>
<HierarchicalDataTemplate DataType="{x:Type vm:B_ViewModel}"
ItemsSource="{Binding Cs}">
<TextBlock Text="{Binding BName}" />
</HierarchicalDataTemplate>
<DataTemplate DataType="{x:Type vm:C_ViewModel}">
<StackPanel Orientation="Horizontal">
<TextBlock Text="{Binding CName}" />
<Button Margin="2"
cal:Message.Attach="Remove($dataContext)"
Content="Delete"/>
</StackPanel>
</DataTemplate>
</TreeView.Resources>
<TreeView.ItemContainerStyle>
<Style TargetType="TreeViewItem">
<Setter Property="IsExpanded" Value="True" />
</Style>
</TreeView.ItemContainerStyle>
Here's my viewmodels:
public class SomeViewModel: Screen
{
public BindableCollection<A_ViewModel> As { get; private set; }
= new BindableCollection<A_ViewModel>();
public SomeViewModel()
{
var a = new A_ViewModel() { AName = "A1" };
var b = new B_ViewModel() { BName = "B1" };
b.Cs.Add(new C_ViewModel() { CName = "C1" });
b.Cs.Add(new C_ViewModel() { CName = "C2" });
a.Bs.Add(b);
this.As.Add(a);
}
}
public class A_ViewModel: PropertyChangedBase
{
public BindableCollection<B_ViewModel> Bs { get; private set; }
= new BindableCollection<B_ViewModel>();
public A_ViewModel()
{
}
private string _aName;
public string AName
{
get { return _aName; }
set { Set(ref _aName, value); }
}
}
public class B_ViewModel : PropertyChangedBase
{
public BindableCollection<C_ViewModel> Cs { get; private set; }
= new BindableCollection<C_ViewModel>();
private string _bName;
public string BName
{
get { return _bName; }
set { Set(ref _bName, value); }
}
public void Remove(C_ViewModel c)
{
if (this.Cs.Contains(c))
this.Cs.Remove(c);
else
Debug.Print(c.CName + " not found");
}
}
public class C_ViewModel : PropertyChangedBase
{
private string _cName;
public string CName
{
get { return _cName; }
set { Set(ref _cName, value); }
}
}
You could use the cal:Action.TargetWithoutContext
attached property to set the DataContext
of the Button
to the parent B_ViewModel
:
<DataTemplate DataType="{x:Type vm:C_ViewModel}">
<StackPanel Orientation="Horizontal">
<TextBlock Text="{Binding CName}" />
<Button Margin="2"
cal:Action.TargetWithoutContext="{Binding Path=DataContext, RelativeSource={RelativeSource AncestorType=TreeViewItem, AncestorLevel=2}}"
cal:Message.Attach="Remove($dataContext)"
Content="Delete"/>
</StackPanel>
</DataTemplate>