दूसरों के लिए इस उत्तर का दस्तावेजीकरण करना, क्योंकि ऐसा करने का एक बहुत सरल तरीका है जो शायद ही कभी संदर्भित होता है, और XAML को छूने की आवश्यकता नहीं होती है।
एक कीबोर्ड शॉर्टकट को लिंक करने के लिए, विंडो कंस्ट्रक्टर में, इनपुटबाइंडिंग संग्रह में एक नया कीबाइंडिंग जोड़ें। कमांड के रूप में, अपनी मनमानी कमांड क्लास में पास करें जो ICommand को लागू करती है। निष्पादित विधि के लिए, आपको जो भी तर्क की आवश्यकता है, उसे लागू करें। नीचे मेरे उदाहरण में, मेरा WindowCommand वर्ग एक प्रतिनिधि लेता है कि जब भी इसे लागू किया जाएगा। जब मैं अपनी बाइंडिंग के साथ पास करने के लिए नए WindowCommand का निर्माण करता हूं, तो मैं बस अपने इनिशियलाइज़र में इंगित करता हूं, वह विधि जिसे मैं WindowCommand निष्पादित करना चाहता हूं।
आप अपने खुद के त्वरित कीबोर्ड शॉर्टकट के साथ आने के लिए इस पैटर्न का उपयोग कर सकते हैं।
public YourWindow() //inside any WPF Window constructor
{
...
//add this one statement to bind a new keyboard command shortcut
InputBindings.Add(new KeyBinding( //add a new key-binding, and pass in your command object instance which contains the Execute method which WPF will execute
new WindowCommand(this)
{
ExecuteDelegate = TogglePause //REPLACE TogglePause with your method delegate
}, new KeyGesture(Key.P, ModifierKeys.Control)));
...
}
एक सरल WindowCommand वर्ग बनाएं जो उस पर सेट किसी भी विधि को आग लगाने के लिए एक निष्पादन प्रतिनिधि लेता है।
public class WindowCommand : ICommand
{
private MainWindow _window;
//Set this delegate when you initialize a new object. This is the method the command will execute. You can also change this delegate type if you need to.
public Action ExecuteDelegate { get; set; }
//You don't have to add a parameter that takes a constructor. I've just added one in case I need access to the window directly.
public WindowCommand(MainWindow window)
{
_window = window;
}
//always called before executing the command, mine just always returns true
public bool CanExecute(object parameter)
{
return true; //mine always returns true, yours can use a new CanExecute delegate, or add custom logic to this method instead.
}
public event EventHandler CanExecuteChanged; //i'm not using this, but it's required by the interface
//the important method that executes the actual command logic
public void Execute(object parameter)
{
if (ExecuteDelegate != null)
{
ExecuteDelegate();
}
else
{
throw new InvalidOperationException();
}
}
}