Get "PHP 8 in a Nuthshell" (Now comes with PHP 8.3)
Amit Merchant

Amit Merchant

A blog on PHP, JavaScript, and more

Creating Keyboard shortcuts of combination of keys in JavaScript

Recently, I added a set of few keyboard shortcuts on this blog which helps in navigating through different parts of the blog conveniently. You can check all the shortcuts on this dedicated page.

Most of these shortcuts are made of a combination of keys. Meaning, an operation is being triggered when you press a certain set of keys simultaneously.

Two keys shortcut

For instance, there’s a shortcut to naviagating to the categories page by pressing Shift + C keys simultaneously.

How do you register if these keys are pressed simultaneously? Check the below code first.

window.addEventListener('keydown', function (event) {
    if (event.shiftKey && event.code === 'KeyC') {
        window.location.href = '/categories';
    }
});

As you can tell, I’ve used the keydown event to identify the key presses.

Inside of the listener, I’ve used the keyboard event’s various properties to check which keys are pressed.

To check whether the Shift key is pressed, we can use the shiftKey property of the event (which indicates if the shift key was pressed (true) or not (false) when the event occurred.) and to further check whether the C key is pressed, we can use the code property of the event in conjunction with the shift key.

This will deduce if both the keys in question are pressed simultaneously and based on that it will navigate the user to the categories page.

Essentially, when you press any key on the keyboard, the event will always register the status of the below keys in the object like so.

  • event.shiftKey - Indicates if the shift key was pressed (true) or not (false) when the event occurred.
  • event.ctrltKey - Indicates if the control/cmd key was pressed (true) or not (false) when the event occurred.
  • event.altKey - Indicates if the alt key was pressed (true) or not (false) when the event occurred.

You can use these properties to create shortcuts which requires a combination of multiple keys (including Ctrl, Alt, and Shift).

Three keys shortcut

So, for instance, if you want to create a shortcut for Ctrl + Shift + U, you can do it like so.

window.addEventListener('keydown', function (event) {
    if (event.ctrlKey && event.shiftKey && event.code === 'KeyU') {
        // do something here
    }
});

Like this article? Consider leaving a

Tip

👋 Hi there! I'm Amit. I write articles about all things web development. You can become a sponsor on my blog to help me continue my writing journey and get your brand in front of thousands of eyes.

Comments?