如何在XAML中使用DataTrigger更改菜单内容?

时间:2016-04-04 06:50:41

标签: wpf xaml mvvm menu datatemplate

根据登录信息,我有两种菜单项。因此,通过使用ViewModel类中的属性

bool IsAdmin {get; set;}

我必须更改菜单项内容。我不熟悉数据模板。我想定义xaml本身的所有菜单项(可能使用数据模板)。 我们如何使用数据触发器绑定不同的菜单项。 任何人都可以为此提供一个较小的例子。仅使用此属性而不使用c#代码。

1 个答案:

答案 0 :(得分:2)

使用 ContentControl 样式,以便在更改视图时获得最大灵活性管理员是否管理员视图

<UserControl.Resources>
    <!--*********** Control templates ***********-->
    <ControlTemplate x:Key="ViewA">
        <Views:AView/>
    </ControlTemplate>
    <ControlTemplate x:Key="ViewB">
        <Views:BView />
    </ControlTemplate>
</UserControl.Resources>

<Grid>
    <ContentControl DataContext="{Binding}" Grid.Row="1">
        <ContentControl.Style>
            <Style TargetType="ContentControl">
                <Setter Property="Template" Value="{StaticResource ViewA}" />
                <Style.Triggers>
                    <DataTrigger Binding="{Binding Path=IsAdmin}" Value="True">
                        <Setter Property="Template" Value="{StaticResource ViewB}" />
                    </DataTrigger>
                </Style.Triggers>
            </Style>
        </ContentControl.Style>
    </ContentControl >
</Grid>  

请注意,您必须在INPC上实施VM界面,以便能够动态更改状态(是否为管理员)。如果并不是只接受一次更改(在创建持有IsAdmin属性的类时)。以下是INPC实施示例:

public class UserControlDataContext:BaseObservableObject
{

    private bool _isAdmin;

    public bool IsAdmin
    {
        get { return _isAdmin; }
        set
        {
            _isAdmin = value;
            OnPropertyChanged();
        }
    }
}

/// <summary>
/// implements the INotifyPropertyChanged (.net 4.5)
/// </summary>
public class BaseObservableObject : INotifyPropertyChanged
{
    public event PropertyChangedEventHandler PropertyChanged;

    protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
    {
        var handler = PropertyChanged;
        if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
    }

    protected virtual void OnPropertyChanged<T>(Expression<Func<T>> raiser)
    {
        var propName = ((MemberExpression)raiser.Body).Member.Name;
        OnPropertyChanged(propName);
    }

    protected bool Set<T>(ref T field, T value, [CallerMemberName] string name = null)
    {
        if (!EqualityComparer<T>.Default.Equals(field, value))
        {
            field = value;
            OnPropertyChanged(name);
            return true;
        }
        return false;
    }
}