我正在使用PRISM MVVM来显示包含图像,文件名和图像大小的文件的列表视图。
用户应该能够通过输入新名称来更改文件名。 离开文本框时,应重命名ViewModel中的文件名。为此,我当然需要知道之前和之后的文本。
我不想在后面使用Code,但是我想我需要与GotFocus一起在LostFocus之前和之后存储值,以获取新值。对吧?
这是我的XAML
<Grid>
<ListView x:Name="MiscFilesListView" HorizontalAlignment="Stretch" VerticalAlignment="Stretch" ItemsSource="{Binding MiscFiles}">
<ItemsControl.ItemsPanel>
<ItemsPanelTemplate>
<UniformGrid Columns="1" HorizontalAlignment="Stretch"/>
</ItemsPanelTemplate>
</ItemsControl.ItemsPanel>
<ListView.ItemTemplate>
<DataTemplate>
<StackPanel Orientation="Vertical" VerticalAlignment="Top" HorizontalAlignment="Stretch">
<Image Source="{Binding ImageData}" HorizontalAlignment="Center" VerticalAlignment="Top" Height="100" Width="100" />
<TextBox Text="{Binding FileName}" HorizontalAlignment="Center" VerticalAlignment="Bottom" />
<TextBlock Text="{Binding Size}" HorizontalAlignment="Center" VerticalAlignment="Bottom" />
</StackPanel>
</DataTemplate>
</ListView.ItemTemplate>
</ListView>
</Grid>
Listview绑定到:
public ObservableCollection<MiscFile> MiscFiles
{
get => _miscFiles;
set => SetProperty(ref _miscFiles, value);
}
视图模型
public class MiscFile : INotifyPropertyChanged
{
public BitmapImage ImageData { get; set; }
public string FileName { get; set; }
public string FullFileName { get; set; }
public string Size { get; set; }
public void OnPropertyChanged(string propertyname)
{
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyname));
}
public event PropertyChangedEventHandler PropertyChanged;
}
有什么想法可以在Viewmodel中实现吗? 我需要某种EventTrigger吗?
答案 0 :(得分:0)
先前的值已经存储在MiscFile
对象中。只需为您的财产定义一个后备字段:
private string _filename;
public string FileName
{
get { return _filename; }
set
{
string oldValue = _filename;
string newValue = value;
//update...
_filename = value;
}
}
这应该起作用,因为在TextBox
失去焦点之前,不应该设置source属性,因为您没有将绑定的UpdateSourceTrigger
属性从其默认值LostFocus
更改:
<TextBox Text="{Binding FileName, UpdateSourceTrigger=LostFocus}" ... />
答案 1 :(得分:0)
您可以在视图模型中为文件名创建一个私有字段。公用FileName属性应检查该值是否与在私有字段中设置的值不同。还要通过调用OnPropertyChanged
来通知INotifyPropertyChanged。
这样做应该会更新filename属性。
如果要保留旧文件名,可以调用静态Path类的Path.GetFileName(FullFileName)
方法。
private string _filename;
public BitmapImage ImageData
{
get;set;
}
public string FileName
{
get
{
return _filename;
}
set
{
if (_filename != value)
{
_filename = value;
OnPropertyChanged(nameof(FileName));
}
}
}