GUIData未正确更新

时间:2016-08-04 15:51:14

标签: matlab matlab-figure matlab-guide

我在MATLAB中有一个包含计时器的GUI。我希望每次调用计时器将索引增加1,并将其存储在guidata中。如果需要,我希望功能能够倒退,所以只使用TasksExecuted字段就行不通了。我的问题是索引根本没有增加。这是计时器的声明

handles.index= 1 ;
handles.timer = timer(...
'ExecutionMode', 'fixedRate', ...   % Run timer repeatedly
'Period', 1, ...                % Initial period is 1 sec.
'TimerFcn', {@update_display,hObject,handles}); % Specify callback

这是该功能的相关部分。

function update_display(hObject,eventdata,hfigure,handles)
tin = evalin('base','t_in');
curtime = tin.time(handles.index);
fprintf('%f',handles.index);
index = handles.index;

...

handles.index = index+1
guidata(handles.figure1,handles);

调试语句说索引在函数末尾总是两个。我在这里做错了什么?

谢谢。

1 个答案:

答案 0 :(得分:1)

当为回调函数提供输入变量时,调用回调时传递的变量是在定义回调时存在的变量。您可以通过一个简单的示例来看到这一点:

function testcode
handles.mainwindow = figure();

handles.idx = 1;

handles.button1 = uicontrol('Style','pushbutton', 'String', 'Button1', ...
    'Units','normalized', 'Position', [0.05 0.05 .30 .90], ...
    'Callback', {@button, handles} ...
    );
handles.button2 = uicontrol('Style','pushbutton', 'String', 'Button2', ...
    'Units','normalized', 'Position', [0.35 0.05 .30 .90], ...
    'Callback', {@button, handles} ...
    );
handles.button3 = uicontrol('Style','pushbutton', 'String', 'Button3', ...
    'Units','normalized', 'Position', [0.65 0.05 .30 .90], ...
    'Callback', {@button, handles} ...
    );
end

function button(hObj,~,handles)
fprintf('Initial idx: %u\n', handles.idx);
handles.idx = handles.idx + 1;
guidata(hObj, handles);
tmp = guidata(hObj);
fprintf('Stored idx: %u\n', tmp.idx);
end

按下每个按钮并查看显示的输出。

要解决此问题,您可以利用guidata中的update_display来获取和存储您的handles结构,而不是明确地传递它:

handles.index = 1;
handles.timer = timer( ...
'ExecutionMode', 'fixedRate', ...   % Run timer repeatedly
'Period', 1, ...                % Initial period is 1 sec.
'TimerFcn', {@update_display,hObject}); % Specify callback
guidata(handles.figure1, handles);

function update_display(hObject,eventdata,hfigure)
handles = guidata(hfigure);
guidata(handles.figure1, handles);
tin = evalin('base','t_in');
curtime = tin.time(handles.index);
fprintf('%f',handles.index);
index = handles.index;

% ... do things

handles.index = index+1
guidata(handles.figure1,handles);

如果这是GUIDE GUI,修改handles结构可能会产生意想不到的后果。我建议改为使用setappdatagetappdata

setappdata(hObject, 'index', 1);  % Assuming hObject is your figure window
handles.timer = timer(...
'ExecutionMode', 'fixedRate', ...   % Run timer repeatedly
'Period', 1, ...                % Initial period is 1 sec.
'TimerFcn', {@update_display,hObject}); % Specify callback

function update_display(hObject,eventdata,hfigure)
index = getappdata(hfigure, 'index');
% ... do things
index = index + 1;
setappdata(hfigure, 'index', index);