快速的2维直方图在matlab中

我已经为2个matlabvector写了一个二维直方图algorithm。 不幸的是,我无法弄清楚如何对其进行vector化处理,而且对于我的需求来说,它的速度大概是一个数量级。 这是我有什么:

function [ result ] = Hist2D( vec0, vec1 ) %Hist2D takes two vectors, and computes the two dimensional histogram % of those images. It assumes vectors are non-negative, and bins % are the integers. % % OUTPUTS % result - % size(result) = 1 + [max(vec0) max(vec1)] % result(i,j) = number of pixels that have value % i-1 in vec0 and value j-1 in vec1. result = zeros(max(vec0)+1, max(vec1)+1); fvec0 = floor(vec1)+1; fvec1 = floor(vec0)+1; % UGH, This is gross, there has to be a better way... for i = 1 : size(fvec0); result(fvec0(i), fvec1(i)) = 1 + result(fvec0(i), fvec1(i)); end end 

思考?

谢谢!! 约翰

这是我的2D直方图的版本:

 %# some random data X = randn(2500,1); Y = randn(2500,1)*2; %# bin centers (integers) xbins = floor(min(X)):1:ceil(max(X)); ybins = floor(min(Y)):1:ceil(max(Y)); xNumBins = numel(xbins); yNumBins = numel(ybins); %# map X/Y values to bin indices Xi = round( interp1(xbins, 1:xNumBins, X, 'linear', 'extrap') ); Yi = round( interp1(ybins, 1:yNumBins, Y, 'linear', 'extrap') ); %# limit indices to the range [1,numBins] Xi = max( min(Xi,xNumBins), 1); Yi = max( min(Yi,yNumBins), 1); %# count number of elements in each bin H = accumarray([Yi(:) Xi(:)], 1, [yNumBins xNumBins]); %# plot 2D histogram imagesc(xbins, ybins, H), axis on %# axis image colormap hot; colorbar hold on, plot(X, Y, 'b.', 'MarkerSize',1), hold off 

hist2d

请注意,我删除了“非负”限制,但保留整数箱中心(这可以很容易地改变成分为同等大小的指定数量的分箱,而不是“分数”)。

这主要是受@SteveEddins 博客文章的启发。

你可以做这样的事情:

 max0 = max(fvec0) + 1; max1 = max(fvec1) + 1; % Combine the vectors combined = fvec0 + fvec1 * max0; % Generate a 1D histogram hist_1d = hist(combined, max0*max1); % Convert back to a 2D histogram hist_2d = reshape(hist, [max0 max1]); 

(注:未经testing)