在python中使用kmeans sklearn的集群数据点

时间:2018-01-05 07:01:36

标签: python matplotlib machine-learning k-means

我使用以下python代码使用kmeans聚类我的数据点。

data =  np.array([[30, 17, 10, 32, 32], [18, 20, 6, 20, 15], [10, 8, 10, 20, 21], [3, 16, 20, 10, 17], [3, 15, 21, 17, 20]])
kmeans_clustering = KMeans( n_clusters = 3 )
idx = kmeans_clustering.fit_predict( data )

#use t-sne
X = TSNE(n_components=2).fit_transform( data )

fig = plt.figure(1)
plt.clf()

#plot graph
colors = np.array([x for x in 'bgrcmykbgrcmykbgrcmykbgrcmyk'])
plt.scatter(X[:,0], X[:,1], c=colors[kmeans_clustering.labels_])
plt.title('K-Means (t-SNE)')
plt.show()

然而,我得到的集群的情节是错误的,因为我在一点上得到了所有东西。 cluster plot

因此,请告诉我我的代码出错的地方?我想在散点图中单独查看kmeans簇。

修改

我得到的t-sne vales如下。

[[  1.12758575e-04   9.30458337e-05]
 [ -1.82559784e-04  -1.06657936e-04]
 [ -9.56485652e-05  -2.38951623e-04]
 [  5.56515580e-05  -4.42453191e-07]
 [ -1.42039677e-04  -5.62548119e-05]]

2 个答案:

答案 0 :(得分:2)

使用perplexity的{​​{1}}参数。 TSNE的默认值为30,对于您的情况来说似乎太多了,即使文档指出perplexity对此参数非常不敏感。

  

困惑与其他流形学习算法中使用的最近邻居的数量有关。较大的数据集通常需要更大的困惑。考虑选择介于5和50之间的值。由于t-SNE对此参数非常不敏感,因此选择并不是非常关键。

TSNE

enter image description here

答案 1 :(得分:2)

您也可以使用PCA(主成分分析)代替t-SNE来绘制群集:

import numpy as np
import pandas as pd  
from sklearn.cluster import Kmeans
from sklearn.decomposition import PCA

data =  np.array([[30, 17, 10, 32, 32], [18, 20, 6, 20, 15], [10, 8, 10, 20, 
21], [3, 16, 20, 10, 17], [3, 15, 21, 17, 20]])
kmeans = KMeans(n_clusters = 3)
labels = kmeans.fit_predict(data)    

pca = PCA(n_components=2)
data_reduced = pca.fit_transform(data)
data_reduced = pd.DataFrame(data_reduced)

ax = data_reduced.plot(kind='scatter', x=0, y=1, c=labels, cmap='rainbow')
ax.set_xlabel('PC1')
ax.set_ylabel('PC2')
ax.set_title('Projection of the clustering on a the axis of the PCA')

for x, y, label in zip(data_reduced[0], data_reduced[1], kmeans.labels_):
    ax.annotate('Cluster {0}'.format(label), (x,y))

enter image description here