WPF_Prism_BindableBase
BindableBaseについて
BindableBaseとは
BindableBaseは、INotifyPropertyChangedを実装する際のヘルパークラスです。
MVVMにおいて、View - ViewModel間の状態変化を通知するためにはINotifyPropertyChangedを実装しなければいけませんが、.NET標準機能のみで実装すると非常に手間です。
PrismのBindableBaseは、ViewModelを作成するための基底クラスを提供します。
SetProperty()メソッド
PrismBindableBaseでは、データバインディングするプロパティにはSetProperty()を実行するように実装します。
protected virtual bool SetProperty<T>(ref T storage, T value, [CallerMemberName] string propertyName = null);
- 第1引数は ref でプロパティの値を保持する変数(フィールド変数)を受け取ります。
- 第2引数は 変更後の値 を受け取ります。
- 第3引数は 変更が発生したプロパティ名を文字列で受け取ります。[CallerMemberName]
BindableBase実装例
ViewModel
SetProperty()でプロパティの変更通知(PropertyChanged)やプロパティ名の暗黙的取得などバインディングに必要な処理を内包しています。
using Prism.Mvvm;
namespace WpfPrismMvvm
{
public class MainWindowViewModel : BindableBase
{
private string _bindtext;
public string BindText
{
get { return _bindtext; }
set { SetProperty(ref _bindtext, value); }
}
}
}
xaml
<Window x:Class="WpfPrismMvvm.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"
Title="MainWindow" Height="320" Width="480">
<Grid>
<Grid.RowDefinitions>
<RowDefinition Height="2*"/>
<RowDefinition Height="1*"/>
</Grid.RowDefinitions>
<Label Content="{Binding BindText}"
Margin="10" Background="LightGray" Grid.Row="0"/>
<TextBox Text="{Binding BindText, UpdateSourceTrigger=PropertyChanged}"
x:Name="EditBox" Margin="10" Background="White" TextWrapping="Wrap" Grid.Row="1"
AcceptsTab="True" AcceptsReturn="True"/>
</Grid>
</Window>
xaml.cs
using System.Windows;
namespace WpfPrismMvvm
{
/// <summary>
/// MainWindow.xaml の相互作用ロジック
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
MainWindowViewModel vm = new MainWindowViewModel();
this.DataContext = vm;
}
}
}
関連ページ
- WPF_Prism_BindableBase
- WPF_Prism_DelegateCommand
- WPF_Prism_InteractionRequest
- WPF_Prism_CompositeCommand
- WPF_Prism_ErrorsContainer
- WPF_Prism_InvokeCommandAction
- C#