I just experimented with the addLocalMonitorForEventsMatchingMask:handler:
method in NSEvent and came across the following question: How do I find out if only certain modifiers were pressed?
A short example to set this question into context: I wanted to listen for the shortcut "⌘+W". Therefore I wrote the following code:
[NSEvent addLocalMonitorForEventsMatchingMask:NSKeyDownMask handler:^(NSEvent *theEvent) {
if ([theEvent modifierFlags] & NSCommandKeyMask && [theEvent keyCode] == 13) {
[self.window performClose:self];
}
return theEvent;
}];
This works well, however the shortcut will be triggered, even if more modifier keys are pressed, e.g. "⌃+⌘+W" or "⇧+⌃+⌥+⌘+W". Is there a way to circumvent this?
A simple solution would be to check for all other modifier keys and ensure they are not pressed. This seems tedious and error prone - besides it's ugly enough as it is now with the unary "&". In addition you may get into trouble if (for some reason) another modifier key is added to keyboard layouts.
As always I'm thankful for any recommendations.
NSDeviceIndependentModifierFlagsMask
is for: The modifierFlags normally are set to 256 by default and other flags are added to it, this way I clean up so only the pressed keys are represented by themodifierFlags
value. This way it's possible to write combinations of modifier keys like in Carbon, e.g.flags == NSCommandKeyMask + NSControlKeyMas
if ⌘ and ⌃ should be pressed rather writingflags & NSCommandKeyMask && flags & NSControlKeyMask
. Thanks a lot! – Guilty