我在图中通过注释(。)创建了两个文本框。它们的大部分属性都已定义;回调函数启用窗口中的拖放动作。我为这些框创建了一个 uicontextmenu。右键单击可以从功能列表中选择后续操作。
我尝试添加的操作之一涉及在两个框之间交换字符串。我需要获取我当前右键单击的框的字符串,它应该与我随后左键单击的框中的字符串交换。我可以就如何扩展 uimenu 函数以使其注册随后的左键单击获得建议吗?
我在图中通过注释(。)创建了两个文本框。它们的大部分属性都已定义;回调函数启用窗口中的拖放动作。我为这些框创建了一个 uicontextmenu。右键单击可以从功能列表中选择后续操作。
我尝试添加的操作之一涉及在两个框之间交换字符串。我需要获取我当前右键单击的框的字符串,它应该与我随后左键单击的框中的字符串交换。我可以就如何扩展 uimenu 函数以使其注册随后的左键单击获得建议吗?
您将需要手动存储最后点击的框。如果您使用 GUIDE 来设计您的 GUI,请使用handles
传递给回调函数的结构。否则,如果您以编程方式生成组件,则嵌套回调函数可以访问在其封闭函数中定义的变量。
这是一个完整的示例:右键单击并从上下文菜单中选择“交换”,然后选择另一个文本框来交换字符串(左键单击)。请注意,我必须在两个步骤之间禁用/启用文本框才能触发 ButtonDownFcn(请参阅此页面以获取说明)
function myTestGUI
%# create GUI
hLastBox = []; %# handle to textbox initiating swap
isFirstTime = true; %# show message box only once
h(1) = uicontrol('style','edit', 'string','1', 'position',[100 200 60 20]);
h(2) = uicontrol('style','edit', 'string','2', 'position',[400 200 60 20]);
h(3) = uicontrol('style','edit', 'string','3', 'position',[250 300 60 20]);
h(4) = uicontrol('style','edit', 'string','4', 'position',[250 100 60 20]);
%# create context menu and attach to textboxes
hCMenu = uicontextmenu;
uimenu(hCMenu, 'Label','Swap String...', 'Callback', @swapBeginCallback);
set(h, 'uicontextmenu',hCMenu)
function swapBeginCallback(hObj,ev)
%# save the handle of the textbox we right clicked on
hLastBox = gco;
%# we must disable textboxes to be able to fire the ButtonDownFcn
set(h, 'ButtonDownFcn',@swapEndCallback)
set(h, 'Enable','off')
%# show instruction to user
if isFirstTime
isFirstTime = false;
msgbox('Now select textbox you want to switch string with');
end
end
function swapEndCallback(hObj,ev)
%# re-enable textboxes, and reset ButtonDownFcn handler
set(h, 'Enable','on')
set(h, 'ButtonDownFcn',[])
%# swap strings
str = get(gcbo,'String');
set(gcbo, 'String',get(hLastBox,'String'))
set(hLastBox, 'String',str)
end
end