我有一个使用MVVM模式并实现INotifyPropertyChanged的应用程序,但无法正常工作。基本上,当我从列表中选择Wine并单击“打开”时,另一个用户控件应加载所有详细信息。
我遵循了多元视野课程,并尝试对其进行改编并创建自己的东西。我已经学习了复数课程的源代码和堆栈溢出问题达数小时之久,但看不到我所缺少的内容。在这里疯了.. :(
经过大量搜索之后,我知道我的数据绑定正在工作,因为我可以像这样强制对目标进行更新:
txtWijnNaam.GetBindingExpression(TextBox.TextProperty).UpdateTarget();
我还尝试将InotifyPropertyChanged添加到我的Wine模型类以及viewmodel中,但这没有用。而且在多元化视野课程的工作源代码中也没有像这样使用它,因此不必要。
我正在使用的视图模型:
class WineDetailViewModel : ViewModelBase
{
private readonly string _baseUri = "https://localhost/api/wines";
private IEventAggregator _eventAggregator;
public WineDetailViewModel()
{
_eventAggregator = EventAggregatorSingleton.Instance;
_eventAggregator.GetEvent<OpenWineDetailViewEvent>().Subscribe(OnOpenWineDetailView);
}
private void OnOpenWineDetailView(int wineId)
{
_wine = ApiHelper.GetApiResult<Wine>($"{ _baseUri}/{wineId}");
}
private Wine _wine;
public Wine WineFull
{
get { return _wine; }
set
{
_wine = value;
OnPropertyChanged();
}
}
}
及其继承的基类,实现INotifyPropertyChanged接口:
class ViewModelBase : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void OnPropertyChanged([CallerMemberName]string propertyName = null)
{
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
}
我的Xaml文件的一部分,我尝试设置updateSourceTrigger,就像在这里的一些答案中看到的那样,但这也无济于事:
<UserControl x:Class="WineGUI.View.WineDetailView"
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"
xmlns:local="clr-namespace:WineGUI.View"
xmlns:ViewModels="clr-namespace:WineGUI.ViewModel"
mc:Ignorable="d"
d:DesignHeight="450" d:DesignWidth="800">
<UserControl.DataContext>
<ViewModels:WineDetailViewModel/>
</UserControl.DataContext>
<StackPanel>
<Grid Margin="5">
<TextBlock Text="Naam :" VerticalAlignment="Center"/>
<TextBox Grid.Column="1" Name="txtWijnNaam" Margin="5" Text="{Binding WineFull.Name, Mode=TwoWay}"/>
<TextBlock Grid.Row="1" Text="Jaar :" VerticalAlignment="Center"/>
<TextBox Grid.Row="1" Grid.Column="1" Name="txtWijnYear" Margin="5" Text="{Binding WineFull.Year, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}"/>
<TextBlock Grid.Row="2" Text="Prijs :" VerticalAlignment="Center"/>
我确实注意到从未调用过WineFull属性的OnPropertyChanged()方法,但我不知道为什么。复数形式的课程具有相同的设置(当然有一些命名除外),并且效果很好。
任何帮助将不胜感激。如果我需要添加更多信息或代码,请告诉我。
答案 0 :(得分:3)
您要设置后备字段的值而不是属性,因此永远不会调用OnPropertyChanged方法。
您可以在OnOpenWineDetailView方法中为WineFull属性调用OnPropertyChanged:
private void OnOpenWineDetailView(int wineId)
{
_wine = ApiHelper.GetApiResult<Wine>($"{ _baseUri}/{wineId}");
OnPropertyChanged(nameof(WineFull));
}
或者您可以使用属性:
private void OnOpenWineDetailView(int wineId)
{
WineFull= ApiHelper.GetApiResult<Wine>($"{ _baseUri}/{wineId}");
}