我想在Matlab中使用“过渡面颜色”(我不知道正确的术语)为矩形着色,例如意味着从地狱蓝色到深蓝色的过渡;你也可以把它解释为阴影(这里你可以看到一个例子:
http://il1.picdn.net/shutterstock/videos/620653/thumb/1.jpg?i10c=img.resize(height:160)
我可以想象通过使用色彩图来实现它,但我不知道如何将它应用于像矩形这样的文本注释。
是否有可能以这种方式修改Matlab的标准(单色)颜色?如果是这样,有人有一个基本框架吗?
答案 0 :(得分:0)
您可以使用patch
创建矩形,允许使用插值的面部颜色。
然后,为了使脸色从深蓝色到亮蓝色,你必须定义自己的"蓝色" colormap
。
colormap
应定义为(N x 3)
RGB
数组:在您的情况下,您必须将0
设置为前两列(对应red
}和green
并且第三列(blue
)的值范围为(start_blue,end_blue)
,其中start_blue
是您想要的最暗蓝色级别,end_blue
最亮的(两者都必须在0
和1
之间。)
% Define the rectangle: lower left x, lower left y, width, height
x_rect=1;
y_rect=1;
width=10;
height=5;
% Define the patch vertices and faces
verts=[x_rect y_rect;x_rect y_rect+height; ...
x_rect+width y_rect+height;x_rect+width y_rect];
faces=[1 2 3 4];
% Define the color: the higher the brighter
col=[0; 0; 4; 4];
figure
% Create the new blue colormap
b=0.7:.01:1;
cm1=[zeros(length(b),2) b']
% Set the new colormap
colormap(cm1)
% Plot the patch
patch('Faces',faces,'Vertices',verts,'FaceVertexCData',col,'FaceColor','interp');
作为替代方案,您可以将矩形创建为surf
,然后按上述方式定义自己的colormap
。
% Define the rectangle:
x_rect=1;
y_rect=1;
width=10;
height=5;
% Build a patch
xp=[x_rect:x_rect+width];
yp=[y_rect:y_rect+height];
% Get the number of points
n_xp=length(xp);
n_yp=length(yp);
% Create the grid
[X,Y]=meshgrid(xp,yp);
% Define the z values
Z=ones(size(X));
% Create the color matrix as uniformly increasing
C=repmat(linspace(1,10,n_xp),n_yp,1)
% Create the new blue colormap
start_blue=0.5;
end_blue=1;
b=start_blue:.01:end_blue;
cm1=[zeros(length(b),2) b']
% Set the new colormap
colormap(cm1)
% Plot the rectangle as a "surf"
surf(X,Y,Z,C)
shading interp
xlabel('X Axis')
ylabel('Y Axis')
view([0 90])
xlim([0 13])
ylim([0 9])
daspect([1 1 1])
希望这有帮助。
Qapla'