Customer segmentation:
Problem statement:
To segment customers into different groups based on their shopping trends(Mall data set)
import pandas as pdimport matplotlib.pyplot as plt
% matplotlib inline
dataset=pd.read_csv("D:\\Raj_DataScience\\Documents\\Mall_Customers.csv")
dataset.shape
(200,5)
dataset.head()
| CustomerID | Gender | Age | Annual Income (k$) | Spending Score (1-100) | |
|---|---|---|---|---|---|
| 0 | 1 | Male | 19 | 15 | 39 | 
| 1 | 2 | Male | 21 | 15 | 81 | 
| 2 | 3 | Female | 20 | 16 | 6 | 
| 3 | 4 | Female | 23 | 16 | 77 | 
| 4 | 5 | Female | 31 | 17 | 40 | 
We will retain only two of these five columns. We can remove customer Id, Genre, Age columns. We retain only Annual income and spending score. The spending score column signifies how often a person spends money in a mall on a scale of 1 to 100. 100 being the highest spender.
data=dataset.iloc[:,3:5].values
Next, we need to know the clusters that we want our data to be split to. We will again use the scipy library to create the dendrograms for our data set.
import scipy.cluster.hierarchy as shc
plt.figure(figsize=(10,7))
plt.title("Customer Dendrograms")
dend=shc.dendrogram(shc.linkage(data,method='ward'))
from sklearn.cluster import AgglomerativeClustering
cluster=AgglomerativeClustering(n_clusters=5,affinity='euclidean',linkage='ward')
cluster.fit_predict(data)
array([4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3,
       4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 3, 4, 1,
       4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 1, 2, 1, 2, 0, 2, 0, 2,
       1, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 2, 1, 2, 0, 2, 0, 2, 0, 2,
       0, 2, 0, 2, 0, 2, 1, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2,
       0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2,
       0, 2], dtype=int64)In the above code, we import the hierarchy class of the scipy.cluster library as shc. The hierarchy class has a dendrogram method which takes the value returned by the linkage method of the same class. The linkage method takes the data set and method to minimize distances as parameters. we use 'ward' as the method since it minimizes the variants of distances between the clusters.
If we draw a horizontal line that passes through longest distance without a horizontal line, we got 5 clusters. To do so we will again use the AgglomerativeClustering class of the sklearn.cluster library.




Comments
Post a Comment