Author: Peter Editor: Peter
Hello, I'm Peter~
I have written many articles about Pandas. This paper carries out a simple comprehensive use, which is mainly divided into:
- How to simulate data by yourself
- Multiple data processing methods
- Data statistics and visualization
- User RFM model
- User repurchase cycle
data:image/s3,"s3://crabby-images/21e4f/21e4f794e71637db43d3a82cc4c12316b63e4e7e" alt=""
<!--MORE-->
Build data
The data used in this case is self simulated by Xiaobian, which mainly includes two data: order data and fruit information data, and the two data will be combined
import pandas as pd import numpy as np import random from datetime import * import time import plotly.express as px import plotly.graph_objects as go import plotly as py # Draw subgraph from plotly.subplots import make_subplots
1. Time field
data:image/s3,"s3://crabby-images/1c4a3/1c4a31a6edb7cc8cccd311416fff215963b47075" alt=""
2. Fruits and users
data:image/s3,"s3://crabby-images/5f226/5f226ea9ab0ffca966128332cbafe993db9631ab" alt=""
3. Generate order data
order = pd.DataFrame({ "time":time_range, # Order time "fruit":fruit_list, # Fruit name "name":name_list, # Customer name # Purchase volume "kilogram":np.random.choice(list(range(50,100)), size=len(time_range),replace=True) }) order
data:image/s3,"s3://crabby-images/5d30b/5d30b5a4153c2a0d08c9f32cedcc6336629dd784" alt=""
4. Generate fruit information data
infortmation = pd.DataFrame({ "fruit":fruits, "price":[3.8, 8.9, 12.8, 6.8, 15.8, 4.9, 5.8, 7], "region":["south China","North China","northwest","Central China","northwest","south China","North China","Central China"] }) infortmation
data:image/s3,"s3://crabby-images/2b574/2b574ac7c196185a77759c979c21fef8069eea0d" alt=""
5. Data merging
The order information and fruit information are directly combined into a complete DataFrame, and this df is the data to be processed next
data:image/s3,"s3://crabby-images/1636a/1636a5c462f1385ab804b0513e159866a03b80a0" alt=""
6. Generate new field: order amount
data:image/s3,"s3://crabby-images/dc880/dc880f9ce772cf12aadd68b57e54d1ab14ea4d45" alt=""
Here you can learn:
- How to generate time related data
- How to generate random data from a list (iteratable objects)
- The DataFrame of Pandas is created by itself, including generating new fields
- Pandas data merge
Analysis dimension 1: time
Monthly sales trend from 2019 to 2021
1. First extract the year and month:
df["year"] = df["time"].dt.year df["month"] = df["time"].dt.month # Extract year and month at the same time df["year_month"] = df["time"].dt.strftime('%Y%m') df
data:image/s3,"s3://crabby-images/4bdc7/4bdc7dc1189e8ecab5410aa9d993785837c668f3" alt=""
2. View field types:
data:image/s3,"s3://crabby-images/85a22/85a220ed7f088e25ddfc2701d50bf283f4738870" alt=""
3. Statistics and display by month and year:
# Statistics of sales volume by month and year df1 = df.groupby(["year_month"])["kilogram"].sum().reset_index() fig = px.bar(df1,x="year_month",y="kilogram",color="kilogram") fig.update_layout(xaxis_tickangle=45) # Tilt angle fig.show()
data:image/s3,"s3://crabby-images/0e080/0e08073821f60f21665c8b6b50e945c49694262d" alt=""
2019-2021 sales trend
df2 = df.groupby(["year_month"])["amount"].sum().reset_index() df2["amount"] = df2["amount"].apply(lambda x:round(x,2)) fig = go.Figure() fig.add_trace(go.Scatter( # x=df2["year_month"], y=df2["amount"], mode='lines+markers', # Mode mode selection name='lines')) # name fig.update_layout(xaxis_tickangle=45) # Tilt angle fig.show()
data:image/s3,"s3://crabby-images/a8b9d/a8b9dac81da89d6a9b905e623706cf0e33fa2591" alt=""
Annual sales, sales and average sales
data:image/s3,"s3://crabby-images/c3e53/c3e53807399d661a3c2c22c3bc5923a0b030b34a" alt=""
Analysis dimension 2: goods
Proportion of annual fruit sales
df4 = df.groupby(["year","fruit"]).agg({"kilogram":"sum","amount":"sum"}).reset_index() df4["year"] = df4["year"].astype(str) df4["amount"] = df4["amount"].apply(lambda x: round(x,2)) from plotly.subplots import make_subplots import plotly.graph_objects as go fig = make_subplots( rows=1, cols=3, subplot_titles=["2019 year","2020 year","2021 year"], specs=[[{"type": "domain"}, # Specify the type by type {"type": "domain"}, {"type": "domain"}]] ) years = df4["year"].unique().tolist() for i, year in enumerate(years): name = df4[df4["year"] == year].fruit value = df4[df4["year"] == year].kilogram fig.add_traces(go.Pie(labels=name, values=value ), rows=1,cols=i+1 ) fig.update_traces( textposition='inside', # 'inside','outside','auto','none' textinfo='percent+label', insidetextorientation='radial', # horizontal,radial,tangential hole=.3, hoverinfo="label+percent+name" ) # fig.update_layout(title_text = "making multi row and multi column subgraphs") fig.show()
data:image/s3,"s3://crabby-images/08574/085746cfced3afad235c2f3f6ac5f2898411b002" alt=""
Comparison of annual sales amount of each fruit
years = df4["year"].unique().tolist() for _, year in enumerate(years): df5 = df4[df4["year"]==year] fig = go.Figure(go.Treemap( labels = df5["fruit"].tolist(), parents = df5["year"].tolist(), values = df5["amount"].tolist(), textinfo = "label+value+percent root" )) fig.show()
data:image/s3,"s3://crabby-images/02ae0/02ae0340f8a3d1b98e07718ba8c94e3b668bc8a1" alt=""
data:image/s3,"s3://crabby-images/d8836/d88369edef3eefb081c3deaebff347a320b608aa" alt=""
data:image/s3,"s3://crabby-images/9b225/9b22506c0db90d470b844f8a703747a4ce62cf96" alt=""
Monthly sales volume change of commodities
data:image/s3,"s3://crabby-images/0588e/0588e28578d45a7237917bbfb40bf44b51615753" alt=""
fig = px.bar(df5,x="year_month",y="amount",color="fruit") fig.update_layout(xaxis_tickangle=45) # Tilt angle fig.show()
data:image/s3,"s3://crabby-images/86045/86045d2957d8b8776ff63ffdd442c76ad2cfeb19" alt=""
Changes in line chart display:
data:image/s3,"s3://crabby-images/897d2/897d27429d4ff10e0f7793779019158640374c22" alt=""
Analysis dimension 3: Region
Sales by Region
data:image/s3,"s3://crabby-images/85297/85297d22ea7b297ff93afe691ad09fcd3382f1bf" alt=""
data:image/s3,"s3://crabby-images/8154d/8154d7238baf11d39add8bef56f1877ee42a10d2" alt=""
Average annual sales in different regions
df7 = df.groupby(["year","region"])["amount"].mean().reset_index()
data:image/s3,"s3://crabby-images/3bf7f/3bf7fd8711bd8b91cea218fd4de0e53e4c9428a0" alt=""
Analysis dimension 4: user
User order quantity and amount comparison
df8 = df.groupby(["name"]).agg({"time":"count","amount":"sum"}).reset_index().rename(columns={"time":"order_number"}) df8.style.background_gradient(cmap="Spectral_r")
data:image/s3,"s3://crabby-images/511e3/511e3135b5ef79e0982f7b8ccd3f91fec25f5b3f" alt=""
User fruit preferences
Analyze according to the order quantity and order amount of each fruit by each user:
df9 = df.groupby(["name","fruit"]).agg({"time":"count","amount":"sum"}).reset_index().rename(columns={"time":"number"}) df10 = df9.sort_values(["name","number","amount"],ascending=[True,False,False]) df10.style.bar(subset=["number","amount"],color="#a97fcf")
data:image/s3,"s3://crabby-images/41709/41709ed359836a21dcc4837678607137300ad3eb" alt=""
px.bar(df10, x="fruit", y="amount", # color="number", facet_col="name" )
data:image/s3,"s3://crabby-images/f0c83/f0c8315641ea14d60786f5e4472570e642a3e8a1" alt=""
User hierarchy - RFM model
RFM model is an important tool and means to measure customer value and profitability.
This model can reflect three indicators of a user's delivery transaction behavior, overall transaction frequency and total transaction amount, and describe the customer's value status through three indicators; At the same time, customers are divided into 8 types of customer value according to these three indicators:
- Recency (R) is the number of days from the latest purchase date of the customer to the present. This indicator is related to the time point of analysis, so it changes. In theory, the more recent a customer purchases, the more likely it is to repurchase
- Frequency (F) refers to the number of times customers purchase -- consumers who buy most often have higher loyalty. Increasing the number of customers' purchases means that they can occupy more time share.
- Monetary value (M) is the total amount spent by the customer on the purchase.
The following three indicators are solved by Pandas's multiple methods. The first is F and M: the number of orders and total amount of each customer
data:image/s3,"s3://crabby-images/bd411/bd411c37af491a5688229fc49bf2137bfaffb98d" alt=""
How to solve R index?
1. First solve the difference between each order and the current time
data:image/s3,"s3://crabby-images/1787a/1787a034700f38c5e2b0d247ca170f72a00a9b7d" alt=""
2. The data in the first place is his latest purchase record: Taking xiaoming user as an example, the last time is December 15, and the difference from the current time is 25 days
data:image/s3,"s3://crabby-images/e6170/e6170008c5fe8e5180217d12407e7ccb173eba8f" alt=""
3. According to the user's de duplication, the first data is retained, so as to obtain the R index of each user:
data:image/s3,"s3://crabby-images/a77d5/a77d5322ea80dc6bda03ebed2fde9801f8610fc8" alt=""
4. Three indicators are obtained by data consolidation:
data:image/s3,"s3://crabby-images/c359d/c359df41f06b54a3e60d11356ad3eaa163678bc6" alt=""
data:image/s3,"s3://crabby-images/7ef0c/7ef0c2c44efe26deaee47765fd00fe36ee4a9881" alt=""
When the amount of data is large enough and there are enough users, users can be divided into 8 types only by RFM model
User repurchase analysis
The re purchase cycle is the time interval between two purchases: Taking xiaoming users as an example, the first two re purchase cycles are 4 days and 22 days respectively
data:image/s3,"s3://crabby-images/ef320/ef320cdf3284a4c1b9cfe98e36971b77df340a7d" alt=""
The following is the process of solving the repurchase cycle of each user:
1. The purchase time of each user is in ascending order
data:image/s3,"s3://crabby-images/50bd9/50bd9c8ca9339e09a16985db5659828c2dbdf772" alt=""
2. Move time one unit:
data:image/s3,"s3://crabby-images/fcf74/fcf7429d2d3e0dae98bc6f4790df1b77517da4f0" alt=""
3. Combined difference:
The occurrence of null value is the first record of each user. There is no data before it, and the null value part is directly deleted later
data:image/s3,"s3://crabby-images/7a241/7a241877b05e90ae431f08b216b282014b9ebe3e" alt=""
data:image/s3,"s3://crabby-images/5c0e9/5c0e912ace56124b067c76f1e110bb100d86030f" alt=""
Directly extract the numerical part of the number of days:
data:image/s3,"s3://crabby-images/f65e0/f65e0cb79465eb7714fbf97d039f6d2633cbc761" alt=""
5. Re purchase cycle comparison
px.bar(df16, x="day", y="name", orientation="h", color="day", color_continuous_scale="spectral" # purples )
data:image/s3,"s3://crabby-images/aa915/aa9152d741fef9d779befea2af1a4550b66ff656" alt=""
The narrower the rectangle in the figure above, the smaller the interval; The whole re purchase cycle of each user is determined by the length of the whole rectangle. View the sum of the overall re purchase cycle and the average re purchase cycle of each user:
data:image/s3,"s3://crabby-images/cd4fe/cd4fe6132eb7b694f9282f11d5f49e29185633e3" alt=""
A conclusion is drawn: the overall repurchase cycle of Michk and Mike users is relatively long, and they are loyal users in the long run; Moreover, the average repurchase cycle is relatively low, indicating that the repurchase is active in a short time.
It can also be observed from the following violin that the re purchase cycle distribution of Michk and Mike is the most concentrated.
data:image/s3,"s3://crabby-images/c1d70/c1d70120f48088f406b00ed737e79a38054f81b6" alt=""