MATLAB: Multiple plots in uitab/uitabgroup

plotting

Suppose I have a uitabgroup with multiple uitabs. In each tab, a plot of some analyzed data is shown. How do I code the uitabgroup or each uitab so that, when the analyzed data is changed, the old graph REMAINS in the uitab to be plotted against. I am operating inside of a while loop. I've tried the 'hold on' function many different ways but to no avail
My code looks something like shown below. I'd paste the code directly but it is far too long. No other functionality than what is shown has been applied. Thanks in advance
h_figure_1 = figure(1);
h_tabgroup = uitabgroup(h_figure_1);
tab1 = uitab(h_tabgroup,'Title','y relative to z');
tab2 = uitab(h_tabgroup,'Title','y relative to z and n');
start =1;
while start == 1
% Ask user to upload data for z and n, given x and y
axes('parent',tab1)
plot(x,y/z)
axes('parent',tab2)
subplot(2,1,1)
plot(x,y/(z+n))
subplot(2,1,2)
plot(x,y/n)
start = input('Run again? 1 - yes, 0 - no');
end

Best Answer

Each of your
axes('parent',tab1)
and similar is creating a new axes and making it the default axes. The default position is used for the axes. You are not setting the axes color to 'none' so the new axes is "on top of" the old and hiding it.
A better structure:
h_figure_1 = figure(1);
h_tabgroup = uitabgroup(h_figure_1);
tab1 = uitab(h_tabgroup,'Title','y relative to z');
tab2 = uitab(h_tabgroup,'Title','y relative to z and n');
tab1_axes = axes('parent', tab1);
hold(tab1_axes, 'on');
tab2_axes1 = subplot(tab2, 2, 1, 1);
hold(tab2_axes1, 'on');
tab2_axes2 = sbplot(tab2, 2, 1, 2);
hold(tab2_axes2, 'on');
while true
% Ask user to upload data for z and n, given x and y
plot(tab1_axes, x, y/z);
plot(tab2_axes1, x, y/(z+n));
plot(tab2_axes2, x, y/n);
if input('Run again? 1 - yes, 0 - no') ~= 1; break; end
end
Related Question