如何将轴坐标转换为像素坐标?我有一组数据,其中包括负值和浮点值,我需要将所有数据放入图像中。但是像素坐标都是正整数。如何解决负面问题?
问问题
11165 次
2 回答
4
据我了解,您有一组表示椭圆的点,您可以直接在图像矩阵中绘制它们(而不仅仅是在屏幕上显示它们)。
为此,您可以使用POLY2MASK函数将椭圆转换为二进制掩码。然后通过计算它的周长,这将为我们提供一个仅表示构成椭圆的像素的二进制掩码,该掩码应用于图像以设置像素的颜色。
考虑下面的例子。我在 SO 上使用了上一个问题中的函数calculateEllipse.m :
%# some image
I = imread('pout.tif');
sz = size(I);
%# ellipse we would like to draw directly on image matrix
[x,y] = calculateEllipse(100,50, 150,50, 30, 100);
%# lets show the image, and plot the ellipse (overlayed).
%# note how ellipse have floating point coordinates,
%# and also have points outside the image boundary
figure, imshow(I)
hold on, plot(x,y, 'LineWidth',2)
axis([-50 250 -50 300]), axis on
%# create mask for image pixels inside the ellipse polygon
BW = poly2mask(x,y,sz(1),sz(2));
%# get the perimter of this mask
BW = bwperim(BW,8);
%# use the mask to index into image
II = I;
II(BW) = 255;
figure, imshow(II)
x
与简单地舍入和的坐标相比,这应该会给您带来更好的结果y
(加上它为我们处理超出边界的点)。请务必阅读 POLY2MASK 的算法部分,了解它在亚像素级别上的工作原理。
编辑:
如果您使用的是 RGB 图像(3D 矩阵),同样适用,您只需更改我们使用二进制掩码的最后一部分:
%# color of the ellipse (red)
clr = [255 0 0]; %# assuming UINT8 image data type
%# use the mask to index into image
II = I;
z = false(size(BW));
II( cat(3,BW,z,z) ) = clr(1); %# R channel
II( cat(3,z,BW,z) ) = clr(2); %# G channel
II( cat(3,z,z,BW) ) = clr(3); %# B channel
figure, imshow(II)
这是另一种方式:
%# use the mask to index into image
II = I;
BW_ind = bsxfun(@plus, find(BW), prod(sz(1:2)).*(0:2));
II(BW_ind) = repmat(clr, [size(BW_ind,1) 1]);
figure, imshow(II)
于 2011-10-14T06:18:02.343 回答
3
您可以将坐标向量传递给scatter
.
x = [-1.2 -2.4 0.3 7];
y = [2 -1 1 -3];
scatter(x,y,'.');
如果你需要图像矩阵,
h = figure();
scatter(x,y);
F = getframe(h);
img = F.cdata;
您还可以使用print
将绘图保存到文件(或简单地从图形窗口导出),然后用于imread
读取文件。
还有来自 File Exchange 的这组 m 文件,它们已经非常接近您的需要了。
最后,这是一种在指定精度内获得所需内容的简单方法:
precision = 10; %# multiple of 10
mi = min(min(x),min(y));
x = x - mi; %# subtract minimum to get rid of negative numbers
y = y - mi;
x = round(x*precision) + 1; %# "move" decimal point, round to integer,
y = round(y*precision) + 1; %# add 1 to index from 1
img = zeros(max(max(x),max(y))); %# image will be square, doesn't have to be
x = uint32(x);
y = uint32(y);
ind = sub2ind(size(img),y,x); %# use x,y or reverse arrays to flip image
img(ind) = 1; %# could set intensity or RGB values in a loop instead
“precision”参数决定了浮点值保留多少小数位,从而决定了图像的分辨率和精度。演员表uint32
可能是不必要的。
如果Nx3
每个点都有一个 RGB 值矩阵N
:
img = zeros(max(max(x),max(y)),max(max(x),max(y)),3);
for i=1:length(N) %# N = length(x) = length(y)
img(x(i),y(i),:) = rgb(i,:);
end
于 2011-10-11T04:35:19.767 回答