5

我正在使用 Gonzalezfrdescp函数来获取边界的傅立叶描述符。我使用这段代码,我得到了两组完全不同的数字,描述了两个相同但不同的比例形状。

那么有什么问题呢?

im = imread('c:\classes\a1.png');
im = im2bw(im);
b = bwboundaries(im);
f = frdescp(b{1}); // fourier descriptors for the boundary of the first object ( my   pic only contains one object anyway )
// Normalization
f = f(2:20); // getting the first 20 & deleting the dc component
f = abs(f) ;
f = f/f(1);

为什么我会得到相同但规模不同的两个圆圈的不同描述符?

4

2 回答 2

6

问题是frdescp代码(我使用了这个代码,应该与你提到的相同)也是为了使傅立叶描述符居中而编写的。

如果您想以正确的方式描述您的形状,则必须保留一些相对于代表 DC 分量的描述符对称的描述符。

下图总结了这个概念:

不重要的描述符的截止

为了解决您的问题(以及其他类似您的问题),我编写了以下两个函数:

function descriptors = fourierdescriptor( boundary )
    %I assume that the boundary is a N x 2 matrix
    %Also, N must be an even number

    np = size(boundary, 1);

    s = boundary(:, 1) + i*boundary(:, 2);

    descriptors = fft(s);

    descriptors = [descriptors((1+(np/2)):end); descriptors(1:np/2)];
end

function significativedescriptors = getsignificativedescriptors( alldescriptors, num )
    %num is the number of significative descriptors (in your example, is was 20)
    %In the following, I assume that num and size(alldescriptors,1) are even numbers

    dim = size(alldescriptors, 1);

    if num >= dim
        significativedescriptors = alldescriptors;
    else
        a = (dim/2 - num/2) + 1;
        b = dim/2 + num/2;

        significativedescriptors = alldescriptors(a : b);
    end
end

知道了,可以使用上面的函数如下:

im = imread('test.jpg');
im = im2bw(im);
b = bwboundaries(im);
b = b{1};

%force the number of boundary points to be even
if mod(size(b,1), 2) ~= 0
    b = [b; b(end, :)];
end

%define the number of significative descriptors I want to extract (it must be even)
numdescr = 20;

%Now, you can extract all fourier descriptors...
f = fourierdescriptor(b);
%...and get only the most significative:
f_sign = getsignificativedescriptors(f, numdescr);
于 2014-05-19T15:01:40.713 回答
2

我刚刚和你遇到了同样的问题。

根据此链接,如果您希望缩放不变,请使比较比类似,例如通过将每个傅立叶系数除以 DC 系数。f* 1 = f 1 /f[0]、f*[2]/f[0] 等等。因此,您需要使用 DC 系数,其中代码中的 f(1) 在您的步骤“f = f(2:20); % getting the first 20 & delete the dc component”之后不是实际的 DC 系数. 我认为可以先保持DC系数的值来解决这个问题,调整后的代码应该如下所示:

% Normalization
DC = f(1);
f = f(2:20); % getting the first 20 & deleting the dc component
f = abs(f) ; % use magnitudes to be invariant to translation & rotation
f = f/DC; % divide the Fourier coefficients by the DC-coefficient to be invariant to scale
于 2014-12-09T18:53:07.527 回答