在WPF中创建密钥绑定

时间:2013-10-31 01:55:19

标签: c# wpf

我需要为Window创建输入绑定。

public class MainWindow : Window
{
    public MainWindow()
    {
        SomeCommand = ??? () => OnAction();
    }

    public ICommand SomeCommand { get; private set; }

    public void OnAction()
    {
        SomeControl.DoSomething();
    }
}

<Window>
    <Window.InputBindings>
        <KeyBinding Command="{Binding SomeCommand}" Key="F5"></KeyBinding>
    </Window.InputBindings>
</Window>

如果我使用一些CustomCommand初始化SomeCommand:ICommand它不会触发。从不调用SomeCommand属性get()。

5 个答案:

答案 0 :(得分:50)

对于您的案例最佳方式使用MVVM模式

XAML:

 <Window>
    <Window.InputBindings>
        <KeyBinding Command="{Binding SomeCommand}" Key="F5"/>
    </Window.InputBindings>
 </Window>
 .....

代码背后:

   public partial class MainWindow : Window
    {
        public MainWindow()
        {
            InitializeComponent();
        }
     }

在您的视图模型中:

public class MyViewModel
{
    private ICommand someCommand;
    public ICommand SomeCommand
    {
        get
        {
            return someCommand 
                ?? (someCommand = new ActionCommand(() =>
                {
                    MessageBox.Show("SomeCommand");
                }));
        }
    }
}

然后你需要一个ICommand的实现。 这个简单有用的课程。

 public class ActionCommand : ICommand
    {
        private readonly Action _action;

        public ActionCommand(Action action)
        {
            _action = action;
        }

        public void Execute(object parameter)
        {
            _action();
        }

        public bool CanExecute(object parameter)
        {
            return true;
        }

        public event EventHandler CanExecuteChanged;
    }   

答案 1 :(得分:13)

对于修饰符(键组合):

<KeyBinding Command="{Binding SaveCommand}" Modifiers="Control" Key="S"/>

答案 2 :(得分:3)

您必须创建自己的Command实施ICommand界面,并使用SomeCommand的实例初始化Command

现在您必须将Window的DataContext设置为self才能使Command Binding正常工作:

public MainWindow()
{
    InitializeComponents();
    DataContext = this;
    SomeCommand = MyCommand() => OnAction();
}

或者您必须将Binding更新为

 <Window>
   <Window.InputBindings>
    <KeyBinding Command="{Binding SomeCommand, RelativeSource={RelativeSource Self}}" Key="F5"></KeyBinding>
   </Window.InputBindings>
 </Window>

答案 3 :(得分:1)

可能为时已晚,但这是最简单,最短的解决方案。

private void Window_KeyDown(object sender, KeyEventArgs e)
{
    if (Keyboard.Modifiers == ModifierKeys.Control && e.Key == Key.S)
    {
         // Call your method here
    }
}

<Window x:Class="Test.MainWindow" KeyDown="Window_KeyDown" >

答案 4 :(得分:0)

这是我在项目中解决此问题的方法:

<Window x:Class="MyNamespace.MyView"
    (...)
    xmlns:local="clr-namespace:MyNameSpace"
    (...)
    <Grid>
        <Grid.InputBindings>
            <KeyBinding Key="R" Command="{Binding ReportCommand, 
                RelativeSource={RelativeSource AncestorType=local:MyView}}" />
    (...)

ReportCommandICommand中的MyView,在ViewModel中是 不是