-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathkmeans.py
54 lines (44 loc) · 2.02 KB
/
kmeans.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
import numpy as np
from .base_unsupervized import BaseUnsupervized
from scipy.spatial.distance import cdist
class Kmeans(BaseUnsupervized):
'''K-Means clustering algorithm
Parameters
----------
k : int,
Number of centers
max_iter : int,
maximum number of iterations of the algo
init : string,
Method of initialization of the cluster centers, can be either random or kmeans++
'''
def __init__(self,k=3,max_iter=100,init='kmeans++'):
self.k = k
self.max_iter = max_iter
self.cluster_means = False
self.init = init
def fit(self,X,return_means=True):
## Initialize the K means
if self.init == 'random' :
means = X[np.random.randint(0,X.shape[0],size=self.k)] # Choose K random points in X as init
elif self.init == "kmeans++":
means = [X[np.random.randint(0,X.shape[0])]]
for i in range(self.k-1):
prob_dist_squared = np.min(cdist(means,X),axis=0)**2
prob_dist_squared = prob_dist_squared / sum(prob_dist_squared) # Normalize probability
means = np.vstack([means,X[np.random.choice(X.shape[0],1,p=prob_dist_squared)]])
old_means = np.zeros(means.shape)
i = 0
while i < self.max_iter and np.any(old_means != means) :
dist_means = cdist(means, X) # compute all dists between the means and every point
clusters = np.argmin(dist_means,axis=0) # Assign each point a cluster (the closest mean to the point)
old_means = np.copy(means)
# Update the means with the mean of the point in the cluster
for j in range(self.k):
cluster_point = X[clusters == j]
means[j] = np.mean(cluster_point,axis=0)
i+=1
self.cluster_means = means
def predict(self,X):
dist_means = cdist(self.cluster_means, X) # compute all dists between the means and every point
return np.argmin(dist_means,axis=0)