首页 > 其他分享 >航空公司客户价值分析

航空公司客户价值分析

时间:2023-03-07 15:33:05浏览次数:56  
标签:plt 航空公司 labels 客户 airline pd import 价值 data

import pandas as pd
datafile='air_data.csv'
resultfile='explore.csv'

data=pd.read_csv(datafile,encoding='utf-8')
explore=data.describe(percentiles=[],include='all').T
explore['null']=len(data)-explore['count']
explore=explore[['null','max','min']]
explore.columns=[u'空值数',u'最大值',u'最小值']

explore.to_csv(resultfile)
from datetime import datetime
import matplotlib.pyplot as plt
ffp=data['FFP_DATE'].apply(lambda x:datetime.strptime(x,'%Y/%m/%d'))
ffp_year=ffp.map(lambda x:x.year)
fig=plt.figure(figsize=(8,5))
plt.rcParams['font.sans-serif']='SimHei'
plt.rcParams['axes.unicode_minus']=False
plt.hist(ffp_year,bins='auto',color='#0504aa')
plt.xlabel('年份')
plt.ylabel('入会人数')
plt.title('各年份会员入会人数3116')
plt.show()
plt.close

male=pd.value_counts(data['GENDER'])['男']
female=pd.value_counts(data['GENDER'])['女']
fig=plt.figure(figsize=(7,4))
plt.pie([male,female],labels=['男','女'],colors=['lightskyblue','lightcoral'],autopct='%1.1f%%')
plt.title('会员性别比例3116')
plt.show()
plt.close

lv_four=pd.value_counts(data['FFP_TIER'])[4]
lv_five=pd.value_counts(data['FFP_TIER'])[5]
lv_six=pd.value_counts(data['FFP_TIER'])[6]

fig=plt.figure(figsize=(8,5))
plt.bar(x=range(3),height=[lv_four,lv_five,lv_six],width=0.4,alpha=0.8,color='skyblue')
plt.xticks([index for index in range(3)],['4','5','6'])
plt.xlabel('会员等级')
plt.ylabel('会员人数')
plt.title('会员各级人数3116')
plt.show()
plt.close()

age=data['AGE'].dropna()
age=age.astype('int64')

fig=plt.figure(figsize=(5,10))
plt.boxplot(age,patch_artist=True,labels=['会员年龄'],boxprops={'facecolor':'lightblue'})
plt.title('会员年龄分布箱型图3116')
plt.grid(axis='y')
plt.show()
plt.close

 

 

 

 

 

 

 

 

 

 

 

lte=data['LAST_TO_END']
fc=data['FLIGHT_COUNT']
sks=data['SEG_KM_SUM']
fig=plt.figure(figsize=(5,8))

plt.boxplot(lte,patch_artist=True,labels=['时长'],boxprops={'facecolor':'lightblue'})
plt.title('会员最后乘机至结束时长分布箱型图3116')
plt.grid(axis='y')
plt.show()
plt.close

fig=plt.figure(figsize=(5,8))
plt.boxplot(fc,patch_artist=True,labels=['飞行次数'],boxprops={'facecolor':'lightblue'})
plt.title('会员飞行次数分布箱型图3116')
plt.grid(axis='y')
plt.show()
plt.close

fig=plt.figure(figsize=(5,10))
plt.boxplot(sks,patch_artist=True,labels=['总飞行公里数'],boxprops={'facecolor':'lightblue'})
plt.title('客户总飞行公里数箱型图3116')
plt.grid(axis='y')
plt.show()
plt.close

 

 

 

 

 

ec=data['EXCHANGE_COUNT']
fig=plt.figure(figsize=(8,5))
plt.hist(ec,bins=5,color='#0504aa')
plt.xlabel('兑换次数')
plt.ylabel('会员人数')
plt.title('会员兑换积分次数分布直方图3116')
plt.show()
plt.close

ps=data['Points_Sum']
fig=plt.figure(figsize=(5,8))
plt.boxplot(ps,patch_artist=True,labels=['总累计积分'],boxprops={'facecolor':'lightblue'})
plt.title('客户总累计积分箱型图3116')
plt.grid(axis='y')
plt.show()
plt.close

 

 

 

 

data_corr=data[['FFP_TIER','FLIGHT_COUNT','LAST_TO_END','SEG_KM_SUM','EXCHANGE_COUNT','Points_Sum']]
age1=data['AGE'].fillna(0)
data_corr['AGE']=age1.astype('int64')
data_corr['ffp_year']=ffp_year

dt_corr=data_corr.corr(method='pearson')
print('相关性矩阵为:\n',dt_corr)

import seaborn as sns
plt.subplots(figsize=(10,10))
sns.heatmap(dt_corr,annot=True,vmax=1,square=True,cmap='Blues')

plt.title('热力图3116')
plt.rcParams['font.sans-serif']=['SimHei']
plt.rcParams['axes.unicode_minus']=False
plt.show()
plt.close

 

 

 

 

import numpy as np
import pandas as pd

datafile='air_data.csv'
cleanedfile='data_cleaned.csv'

airline_data=pd.read_csv(datafile,encoding='utf-8')
print('原始数据的形状为:',airline_data.shape)

airline_notnull=airline_data.loc[airline_data['SUM_YR_1'].notnull() & airline_data['SUM_YR_2'].notnull(),:]
print('删除缺失记录后数据的形状为:',airline_notnull.shape)

index1=airline_notnull['SUM_YR_1']!=0
index2=airline_notnull['SUM_YR_2']!=0
index3=(airline_notnull['SEG_KM_SUM']>0) & (airline_notnull['avg_discount']!=0)
index4=airline_notnull['AGE']>100
airline=airline_notnull[(index1|index2)&index3& ~index4]
print('数据清洗后数据的形状为:',airline.shape)

airline.to_csv(cleanedfile)

 

 

import pandas as pd
import numpy as np

cleanedfile='data_cleaned.csv'
airline=pd.read_csv(cleanedfile,encoding='utf-8')
airline_selection=airline[['FFP_DATE','LOAD_TIME','LAST_TO_END','FLIGHT_COUNT','SEG_KM_SUM','avg_discount']]
print('筛选的属性前5行为:\n',airline_selection.head())

 

 

L=pd.to_datetime(airline_selection['LOAD_TIME'])-pd.to_datetime(airline_selection['FFP_DATE'])
L=L.astype('str').str.split().str[0]
L=L.astype('int')/30

airline_features=pd.concat([L,airline_selection.iloc[:,2:]],axis=1)
print('构建的LRFMC属性前5行为:\n',airline_features.head())

from sklearn.preprocessing import StandardScaler
data=StandardScaler().fit_transform(airline_features)
np.savez('airline_scale.npz',data)
print('标准化后LRFMC 5个属性为:\n',data[:5,:])

 

 

import pandas as pd
import numpy as np
from sklearn.cluster import KMeans

airline_scale=np.load('airline_scale.npz')['arr_0']
k=5

kmeans_model=KMeans(n_clusters=k,random_state=123)
fit_kmeans=kmeans_model.fit(airline_scale)

kmeans_cc=kmeans_model.cluster_centers_
print('各类聚类中心为:\n',kmeans_cc)
kmeans_labels=kmeans_model.labels_
print('各样本的类别标签为:\n',kmeans_labels)
r1=pd.Series(kmeans_model.labels_).value_counts()
print('最终每个类别的数目为:\n',r1)

cluster_center=pd.DataFrame(kmeans_model.cluster_centers_,columns=['ZL','ZR','ZF','ZM','ZC'])
cluster_center.index=pd.DataFrame(kmeans_model.labels_).drop_duplicates().iloc[:,0]
print(cluster_center)

 

 

%matplotlib inline
import matplotlib.pyplot as plt
labels=['ZL','ZR','ZF','ZM','ZC']
legen=['客户群'+str(i+1) for i in cluster_center.index]
lstype=['-','--',(0,(3,5,1,5,1,5)),':','-.']
kinds=list(cluster_center.iloc[:,0])
cluster_center=pd.concat([cluster_center,cluster_center[['ZL']]],axis=1)
centers=np.array(cluster_center.iloc[:,0:])
n=len(labels)
angle=np.linspace(0,2*np.pi,n,endpoint=False)
angle=np.concatenate((angle,[angle[0]]))

fig=plt.figure(figsize=(8,6))
ax=fig.add_subplot(111,polar=True)
plt.rcParams['font.sans-serif']=['SimHei']
plt.rcParams['axes.unicode_minus']=False

for i in range(len(kinds)):
    ax.plot(angle,centers[i],linestyle=lstype[i],linewidth=2,label=kinds[i])
#ax.set_thetagrids(angle*180/np.pi,labels)
plt.title('客户特征分析雷达图3116')
plt.legend(legen)
plt.show()
plt.close

 

标签:plt,航空公司,labels,客户,airline,pd,import,价值,data
From: https://www.cnblogs.com/Nothingtolose/p/17188279.html

相关文章

  • UVA-822 客户中心模拟 题解答案代码 算法竞赛入门经典第二版
    ​​GitHub-jzplp/aoapc-UVA-Answer:算法竞赛入门经典例题和习题答案刘汝佳第二版​​AC代码这个题目的做法可能并不唯一,对于某些场景有不同的答案也能过。我的思路:是......
  • Indy实现FTP客户端
    首先大家了解一下FTP的基本知识:FTP是一个标准协议,它是在计算机和网络之间交换文件的最简单的方法。FTP也是应用TCP/IP协议的应用协议标准。FTP通常于将作者的文件上传至......
  • Canvas、客户端、表单
    Canvasvarcanvas=document.querySelector('.myCanvas');varwidth=canvas.width=window.innerWidth;varheight=canvas.height=window.innerHeight;滚动条......
  • 跨平台`ChatGpt` 客户端
    跨平台ChatGpt客户端一款基于Avalonia实现的跨平台ChatGpt客户端,通过对接ChatGpt官方提供的ChatGpt3.5模型实现聊天对话实现创建ChatGpt的项目名称,项目类型是Avaloni......
  • TCP通信聊天服务端和客户端(C/C++语言开发)附完整源码
    距离上次学Python写的Python实现简单聊天室已经过去好久了,现在学c++又写了一遍,其实过程差不多,无非是语法的变化,目前仅实现最简单的一对一的通信,然后改就是了,接下来应该是......
  • 在vs 启动应用时,提示”需要 Oracle 客户端软件8.1.7或更高版本 “
    解决这个问题,首先应先寻找出现该问题的原因。在一开始我的电脑中已经有免安装的oracle客户端了,可以在pl_sql中使用,但是在vs中是不行的,我又安装了32位的客户端(安装版的)。......
  • R语言MCMC-GARCH、风险价值VaR模型股价波动分析上证指数时间序列
    全文链接:http://tecdat.cn/?p=31717原文出处:拓端数据部落公众号分析师:KeLiu随着金融市场全球化的发展,金融产品逐渐受到越来越多的关注,而金融产品的风险度量成为投资者......
  • EF Core 客户端与服务器评估
    写linq语句时需要比较数据库中的日期和当前日期,写的代码如下vartaskInCount=repository.DbContext.Set<Wms_TaskHistory>().Where(q=>DateTime.Parse(q.CreateDate.......
  • eas里客户端保存,提交的校验方式
    业务单据、基础资料,在编辑界面EditUI中进行必录校验时,可以直接从界面绑定的数据对象editData中获取值,无需通过界面控件取值。对于单据头中的属性值,通过editData可以直接通......
  • 使用客户端和服务端使用127.0.0.1和localhost,响应时间长问题
    今天学习gRpc知识,使用simple方式连接,最后发现响应时间差不多2S,使用的是本机连接,不可能耗时这么久,绝对是有问题的,检查发现1、客户端ip设定为127.0.0.12、服务端ip设定为lo......