web-dev-qa-db-ja.com

WPFのMVVMパターンを使用してボタンの背景色を変更する

WPFでMVVMライトを使用しています。 ViewModelで特定の条件に基づいてボタンの背景色を設定したい。それを取得する方法を提案してください。ありがとう

18
Yogesh

トリガーの使用:

<Button>
    <Button.Style>
        <Style TargetType="Button">
            <!-- Set the default value here (if any) 
                 if you set it directly on the button that will override the trigger -->
            <Setter Property="Background" Value="LightGreen" />
            <Style.Triggers>
                <DataTrigger Binding="{Binding SomeConditionalProperty}"
                             Value="True">
                    <Setter Property="Background" Value="Pink" />
                </DataTrigger>
            </Style.Triggers>
        </Style>
    </Button.Style>
</Button>

[ メモに関して ]


MVVMでは、get-onlyプロパティを介してビューモデルでこれを処理することもできます。

public bool SomeConditionalProperty 
{
    get { /*...*/ }
    set
    {
        //...

        OnPropertyChanged(nameof(SomeConditionalProperty));
        //Because Background is dependent on this property.
        OnPropertyChanged(nameof(Background));
    }
}

public Brush Background =>
    SomeConditinalProperty ? Brushes.Pink : Brushes.LightGreen;

次に、Backgroundにバインドします。

23
H.B.

背景をビューモデルのプロパティにバインドすることができます。トリックは、IValueConverterを使用して、必要な色のブラシを返すことです。これは、ブール値をビューモデルから色に変換する例です。

public class BoolToColorConverter : IValueConverter
{
    public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
    {
        if (value == null)
        {
            return new SolidColorBrush(Colors.Transparent);
        }

        return System.Convert.ToBoolean(value) ? 
            new SolidColorBrush(Colors.Red)
          : new SolidColorBrush(Colors.Transparent); 
    }

    public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
    {
        throw new NotImplementedException();
    }
}

のような結合式で

    "{Binding Reviewed, Converter={StaticResource BoolToColorConverter}}"
27
almog.ori