如何在MATLAB中加速非常慢的动画情节

时间:2018-04-30 04:23:09

标签: matlab performance animation profiler drawnow

我试图创建一个动画情节但我的代码很慢,也许我使用的方法太天真了。在下面的例子中,我有4个子图,每个子图有3行,我在一个' time'循环。

clc;clear;close all;
state = {'$x-Position$','$x-Velocity$','$y-Position$','$y-Velocity$'};
ylabels = {'$x$','$\dot{x}$','$y$','$\dot{y}$'};
options1 = {'interpreter','latex'};
options2 = {'interpreter','latex','fontsize',20};
maxT = 300;

for pp = 1:4
    hh1(pp)=subplot(2,2,pp);
    xlabel('$t$',options2{:});
    ylabel(ylabels{pp},options2{:});
    title(state{pp},options1{:})
    xlim([0 maxT])
    hold on
end
x = randn(4,300);
z = randn(4,300);
x_est = randn(4,300);
for k = 2:maxT
    for p = 1:4
        plot(hh1(p),k-1:k,x(p,k-1:k),'b','linewidth',2)
        plot(hh1(p),k-1:k,z(p,k-1:k),'m')
        plot(hh1(p),k-1:k,x_est(p,k-1:k),':k','linewidth',2)
    end
    drawnow;
end

profiler output可以看出,drawnow正在扼杀时间。有没有什么方法可以更有效地创建这个动画?

1 个答案:

答案 0 :(得分:5)

因为您想要动画,所以除了使用drawnow更新帧之外别无选择。但是,特别是drawnow并没有减慢你的速度 - 分析器可能会产生误导...... drawnow只是更新自上次重新绘制以来的所有图形更改,你的案子是十几个新情节!

您会发现hold非常缓慢。例如,如果您对自己的持有有所了解,请移除现有的hold on并仅在实际绘图时保留

% ... above code the same but without 'hold on'
for p = 1:4
    hold(hh1(p), 'on');
    % plots
    hold(hh1(p), 'off');
end

这节省了我PC上约10%的时间(12.3秒降至11.3秒)。

真正的加速来自完全删除hold以及所有单独的plot来电!此方法也不会触及有助于提高速度的行格式。请参阅有关更新地图数据here的上一个问题。

只需更新绘图数据,而不是添加绘图。这给了我加速~68%(12.3秒到4.0秒)。

% ... your same setup
% Initialise plot data
x = randn(4,300);
z = randn(4,300);
x_est = randn(4,300);
plts = cell(4,3);
hh1 = cell(4,1);

% Loop over subplots and initialise plot lines
for p = 1:4
    hh1{p}=subplot(2,2,p);
    xlabel('$t$',options2{:});
    ylabel(ylabels{p},options2{:});
    title(state{p},options1{:})
    xlim([0 maxT])
    % Hold on to make 3 plots. Create initial points and set line styles.
    % Store the plots in a cell array for later reference.
    hold on
    plts{p,1} = plot(hh1{p},1:2,x(p,1:2),'b','linewidth',2);
    plts{p,2} = plot(hh1{p},1:2,z(p,1:2),'m');
    plts{p,3} = plot(hh1{p},1:2,x_est(p,1:2),':k','linewidth',2);
    hold off
end
% March through time. No replotting required, just update XData and YData
for k = 2:maxT
    for p = 1:4
        set(plts{p,1}, 'XData', 1:k, 'YData', x(p,1:k) );
        set(plts{p,2}, 'XData', 1:k, 'YData', z(p,1:k) );
        set(plts{p,3}, 'XData', 1:k, 'YData', x_est(p,1:k) );
    end
    drawnow;
end    

现在绘图非常优化了。如果您希望动画更快,那么只需使用for k = 2:n:maxT绘制每个第2,第3,......,第n个时间步而不是每个时间步。