8

我正在使用 opencv,我需要了解 fitEllipse 函数是如何工作的。我查看了(https://github.com/Itseez/opencv/blob/master/modules/imgproc/src/shapeescr.cpp)上的代码,我知道它使用最小二乘法来确定可能的椭圆。我还查看了文档中给出的论文(Andrew W. Fitzgibbon, RBFisher. A Buyer's Guide to Conic Fitting. Proc.5th British Machine Vision Conference, Birmingham, pp. 513-522, 1995。)

但我无法完全理解算法。例如,为什么需要求解 3 次最小二乘问题?为什么 bd 在第一个 svd 之前被初始化为 10000(我猜这只是初始化的随机值,但为什么这个值可以是随机的?)?为什么在第一个 svd 之前 Ad 中的值需要为负数?

谢谢!

4

1 回答 1

1

这是Matlab代码..它可能会有所帮助

function [Q,a]=fit_ellipse_fitzgibbon(data)
  % function [Q,a]=fit_ellipse_fitzgibbon(data)
  %
  % Ellipse specific fit, according to:
  %
  %  Direct Least Square Fitting of Ellipses,
  %  A. Fitzgibbon, M. Pilu and R. Fisher. PAMI 1996
  %
  %
  % See Also:
  %   FIT_ELLIPSE_LS
  %   FIT_ELLIPSE_HALIR

  [m,n] = size(data);
  assert((m==2||m==3)&&n>5);
  x = data(1,:)';
  y = data(2,:)';

  D = [x.^2 x.*y y.^2 x y ones(size(x))];   % design matrix
  S = D'*D;                                 % scatter matrix
  C(6,6)=0; C(1,3)=-2; C(2,2)=1; C(3,1)=-2; % constraints matrix
  % solve the generalized eigensystem
  [V,D] = eig(S, C);
  % find the only negative eigenvalue
  [n_r, n_c] = find(D<0 & ~isinf(D));
  if isempty(n_c),
    warning('Error getting the ellipse parameters, will do LS');
    [Q,a] = fit_ellipse_ls(data); %
    return;
  end
  % the parameters
  a = V(:, n_c);
  [A B C D E F] = deal(a(1),a(2),a(3),a(4),a(5),a(6)); % deal is slow!
  Q = [A B/2 D/2; B/2 C E/2; D/2 E/2 F];
end % fit_ellipse_fitzgibbon

Fitzibbon 解虽然具有一定的数值​​稳定性。有关此问题的解决方案,请参阅 Halir 的工作。

它本质上是最小二乘解决方案,但经过专门设计,它会产生一个有效的椭圆,而不仅仅是任何圆锥。

于 2013-04-20T01:53:41.580 回答