他の人が述べたように、階層的クラスタリングは、あなたの場合、メモリに収まるには大きすぎるペアワイズ距離行列を計算する必要があります。
代わりにK-Meansアルゴリズムを使用してみてください。
numClusters = 4;
T = kmeans(X, numClusters);
または、データのランダムなサブセットを選択して、クラスタリングアルゴリズムへの入力として使用することもできます。次に、クラスターの中心を各クラスターグループの平均/中央値として計算します。最後に、サブセットで選択されなかったインスタンスごとに、各重心までの距離を計算し、最も近い重心に割り当てるだけです。
上記のアイデアを説明するためのサンプルコードを次に示します。
%# random data
X = rand(25000, 2);
%# pick a subset
SUBSET_SIZE = 1000;            %# subset size
ind = randperm(size(X,1));
data = X(ind(1:SUBSET_SIZE), :);
%# cluster the subset data
D = pdist(data, 'euclid');
T = linkage(D, 'ward');
CUTOFF = 0.6*max(T(:,3));      %# CUTOFF = 5;
C = cluster(T, 'criterion','distance', 'cutoff',CUTOFF);
K = length( unique(C) );       %# number of clusters found
%# visualize the hierarchy of clusters
figure(1)
h = dendrogram(T, 0, 'colorthreshold',CUTOFF);
set(h, 'LineWidth',2)
set(gca, 'XTickLabel',[], 'XTick',[])
%# plot the subset data colored by clusters
figure(2)
subplot(121), gscatter(data(:,1), data(:,2), C), axis tight
%# compute cluster centers
centers = zeros(K, size(data,2));
for i=1:size(data,2)
    centers(:,i) = accumarray(C, data(:,i), [], @mean);
end
%# calculate distance of each instance to all cluster centers
D = zeros(size(X,1), K);
for k=1:K
    D(:,k) = sum( bsxfun(@minus, X, centers(k,:)).^2, 2);
end
%# assign each instance to the closest cluster
[~,clustIDX] = min(D, [], 2);
%#clustIDX( ind(1:SUBSET_SIZE) ) = C;
%# plot the entire data colored by clusters
subplot(122), gscatter(X(:,1), X(:,2), clustIDX), axis tight
 
