MATLAB: Is it possible to assign keyboard shortcuts to trigger certain parts of the app in app designer, and if so, how

app designerkeyboard shortcutsMATLABmatlab gui

I was wondering if it's possible to assign user defined keyboard shortcuts to parts of the app in app designer.
For example,using a menu item with ctrl+L, or simply just L. Not sure if this is possible, but if anyone knows, please share
Thanks!

Best Answer

04/07/2020: Implement Basic Key Press Functionality
I found out what to do based on Mohammad Sami's reply to my question.
(1) Go to callbacks in the app designer window for the entire UIFigure in deisgn view
(2) In the 'keyboard' menu, go to KeyPressFcn and select <add KeyPressFcn callback> (should be at the top of the list). This will create a callback in code view for you to edit.
(3) In the callback, there will be a preset variable called 'key'. Set up a swtich/case for which key's you'd like to perform specific functions. 'key' will always providing the physical key pressed as a string in lowercase letters.
% Key press function: UIFigure

function UIFigureKeyPress(app, event)
key = event.Key;
switch key
case 'p'
app.PlotMyData(app);
app.Message.Value = key; % return key value
case 'f1'
app.ChangeData(app);
app.Message.Value = key;
case 'shift'
app.ChangeColor(app);
app.Message.Value = key;
case '1'
app.Message.Value = 'Pressed 1';
end
end
(4) As a side note for those who may not know, you can get a look at what the value of 'key' will be by creating a text box, and setting the value to key (shown above). This will help you designate keys for functions you may have.
Hope this helps someone else as well.
Edit (10/27/2020): Use Modifiers (e.g. shift Q, control P, etc...) along with Key Press
The following code shows an example of how to use modifiers such as 'shift', 'control', and 'alt' with the keypress functionality.
You don't have to use a switch/case and can accomplish the same goal by using if/elseif/else of whatever you'd like. This is just one way I thought of doing this. This allows for things like ctrl+q, shift+p, etc.
Make sure to press them quickly in succession or it will only register one key press, either the modifier or the letter/number/etc. Hope this helps!
% Key press function: UIFigure
function UIFigureKeyPress(app, event)
key = event.Key;
if isequal(event.Modifier,'shift')
switch key
case 'f1'
app.ChangeData(app);
app.Message.Value = key;
case ...
...
end
elseif isequal(event.Modifier,'control')
switch key
case 'q'
app.Message.Value = 'quitting'; % write to text area of GUI
% insert a quit function %
case ...
...
end
else % no modifier used (e.g. just a key press, 'k','f4', etc.)
...
end
end