我正在计时器回调中运行较长的数据预加载,并且我希望能够通过外部输入(例如,单击GUI按钮)在中途停止回调。
stop()
函数将停止计时器调用,但不会停止回调函数本身。
这是一个简单的例子:
timerh = timer('TimerFcn' , @TimerCallback,'StartDelay' , 1, 'ExecutionMode' , 'singleShot');
NeedStopping = false;
start(timerh)
disp('Running')
pause(1)
disp('Trying to stop')
NeedStopping = true;
function TimerCallback(obj, event)
% Background data loading in here code in here; in this example,
% the callback simply displays numbers from 1 to 100
for k = 1 : 100
drawnow(); % Should allow Matlab to do other stuff
NeedStopping = evalin('base' , 'NeedStopping');
if NeedStopping
disp('Should stop now')
return
end
disp(k)
pause(0.1)
end
end
我希望此脚本显示1到(大约)十之间的数字,但是计时器回调直到100才会停止。
奇怪的是,代码在pause(1)
之前到达了该行,并正确显示“ Running”,但随后在此处停止并等待计时器结束。
更令人困惑的是,如果我将1秒的暂停时间更改为0.9秒,计时器将立即停止,并显示以下输出:
运行
试图停止
现在应该停止
我知道Matlab大多是单线程的,但是我认为drawnow()
函数应该允许它处理其他内容。
编辑:我的问题背后的具体用法: 我有一个带有“下一个”按钮的GUI,该按钮可加载多个图像并并排显示它们。图像很大,因此加载需要时间。因此,当用户查看图片时,我想预加载下一组图片。可以在后台使用计时器完成此操作,并且可以正常工作。 但是,如果用户在预加载完成之前单击“下一步”,则需要停止它,显示当前图像,然后为下一步启动预加载。因此,计时器需要在回调执行期间停止。
答案 0 :(得分:2)
这是有关如何设置可中断callback
的演示。您设置示例的方式没有看到实际计时器的需要,因此我将其作为标准的按钮回调。
注意:如果您不愿意将其用作计时器,则可以使用完全相同的解决方案,只需将startProcess
回调分配给计时器而不是gui按钮。 < / p>
function h = interuptible_callback_demo
% generate basic gui with 2 buttons
h = create_gui ;
guidata( h.fig , h )
% create application data which will be used to interrupt the process
setappdata( h.fig , 'keepRunning' , true )
end
function startProcess(hobj,~)
h = guidata( hobj ) ;
% set the 'keepRunning' flag
setappdata( h.fig , 'keepRunning' , true )
% toggle the button states
h.btnStart.Enable = 'off' ;
h.btnStop.Enable = 'on' ;
nGrainOfSand = 1e6 ;
for k=1:nGrainOfSand
% first check if we have to keep running
keepRunning = getappdata( h.fig , 'keepRunning' ) ;
if keepRunning
% This is where you do your lenghty stuff
% we'll count grains of sand for this demo ...
h.lbl.String = sprintf('Counting grains of sands: %d/%d',k,nGrainOfSand) ;
pause(0.1) ;
else
% tidy up then bail out (=stop the callback)
h.lbl.String = sprintf('Counting interrupted at: %d/%d',k,nGrainOfSand) ;
% toggle the button states
h.btnStart.Enable = 'on' ;
h.btnStop.Enable = 'off' ;
return
end
end
end
function stopProcess(hobj,~)
h = guidata( hobj ) ;
% modify the 'keepRunning' flag
setappdata( h.fig , 'keepRunning' , false )
end
function h = create_gui
h.fig = figure('units','pixel','Position',[200 200 350 200]) ;
h.btnStart = uicontrol('style','pushbutton','string','Start process',...
'units','pixel','Position',[50 100 100 50],...
'Callback',@startProcess) ;
h.btnStop = uicontrol('style','pushbutton','string','Stop process',...
'units','pixel','Position',[200 100 100 50],...
'Callback',@stopProcess,'enable','off') ;
h.lbl = uicontrol('style','text','string','','units','pixel','Position',[50 20 200 50]) ;
end
要查看实际效果: