2

我在 MATLAB gui 中有 2 个图,我想将它们链接在一起,因此放大一个图可以放大另一个图。

与我在链接图上看到的类似问题不同,我的 x 数据或 y 数据都不是由任一图表共享的,但它是相关的。


我的数据包括由一架飞机在 5 秒内飞过它们所测量的土地高度。

情节1:土地的高度

y: height = [10,9,4,6,3];
x: time = [1,2,3,4,5];

情节2:土地坐标

y: latitude = [10,20,30,40,50];
x: longitude = [11,12,13,14,15];

如果用户放大 x 轴Plot 1,例如显示飞行的前 3 秒,我想缩放 x 和 y 轴,Plot 2因此仅显示经度和纬度数组中的前 3 个经度和纬度坐标。

这可能吗?

4

2 回答 2

3

您需要一个将高度和时间映射到纬度和经度的函数,然后根据映射值设置限制。

以下函数完成这项工作:

function syncLimits(masterAxes,slaveAxes)
% Sync a slave axes that is plot related data.
% Assumes each data point in slave corresponds with the data point in the
% master at the same index.

% Find limits of controlling plot
xRange = xlim(masterAxes);
% Get x data
x1Data = get(get(masterAxes,'children'),'XData');
% Find data indices corresponding to these limits
indices = x1Data >= xRange(1) & x1Data <= xRange(2);
if any(indices)
    % Set the limits on the slave plot to show the same data range (based
    % on the xData index)
    x2Data = get(get(slaveAxes,'children'),'XData');
    y2Data = get(get(slaveAxes,'children'),'YData');
    minX = min(x2Data(indices));
    maxX = max(x2Data(indices));
    minY = min(y2Data(indices));
    maxY = max(y2Data(indices));
    % Set limits +- eps() so that if a single point is selected
    % x/ylim min/max values aren't identical
    xlim(slaveAxes,[ minX - eps(minX) maxX + eps(maxX)  ]);
    ylim(slaveAxes,[ minY - eps(minY) maxY + eps(maxY)  ]);
end

end

然后,您可以获取高度 v 时间图,以便在缩放或平移时调用此函数。

height = [10,9,4,6,3];
time = [1,2,3,4,5];

latitude = [10,20,30,40,50];
longitude = [11,12,13,14,15];

% Plot Height v Time
h1 = figure;
a1 = gca;
plot(time,height);
title('Height v Time');


% Plot Lat v Long
figure;
a2 = gca;
plot(longitude, latitude);
title('Lat v Long')

% Set-up Callback to sync limits
zH = zoom(h1);
pH = pan(h1);
set(zH,'ActionPostCallback',@(figHandle,axesHandle) syncLimits(axesHandle.Axes,a2));
set(pH,'ActionPostCallback',@(figHandle,axesHandle) syncLimits(axesHandle.Axes,a2));

如果您的绘图是由函数生成的,代码会更简单,因为您可以嵌套 syncLimits 函数并直接使用时间、纬度和经度数据。您还可以将此数据传递给 syncLimits 函数,这将再次减少代码,但您只需编写一次syncLimits(我已经完成了!)。

于 2013-09-30T05:24:13.370 回答
1

在您发布的情况下,x 轴确实是相同的,即使它们不是相同的变量名称,所以您仍然可以使用 链接它们linkaxes,它只链接限制,而不是用于绘图的变量。

h_height = figure(1);
plot(h_height,time,height)
h_location = figure(2);
plot(h_location,longitude,latitude)

linkaxes([h_height h_location],'x')

任何一个的改变xlim都会改变另一个。

于 2013-09-29T15:18:38.607 回答