40张python图表
1. 条形图
import numpy as np
import matplotlib.pyplot as plt
height = [3, 12, 5, 18, 45]
bars = ('A', 'B', 'C', 'D', 'E')
x_pos = np.arange(len(bars))
plt.bar(x_pos, height)
plt.xticks(x_pos, bars)
plt.show()
data:image/s3,"s3://crabby-images/0b670/0b670f7d725bd4a9a9c41ba946054003904681d7" alt="40张python图表_第1张图片"
import matplotlib.pyplot as plt
import numpy as np
height = [3, 12, 5, 18, 45]
bars = ('A', 'B', 'C', 'D', 'E')
y_pos = np.arange(len(bars))
plt.barh(y_pos, height)
plt.yticks(y_pos, bars)
plt.show()
data:image/s3,"s3://crabby-images/91b06/91b06afd479eacf4bb3b444f20cf36646070ec42" alt="40张python图表_第2张图片"
import numpy as np
import matplotlib.pyplot as plt
from matplotlib import rc
import pandas as pd
rc('font', weight='bold')
bars1 = [12, 28, 1, 8, 22]
bars2 = [28, 7, 16, 4, 10]
bars3 = [25, 3, 23, 25, 17]
bars = np.add(bars1, bars2).tolist()
r = [0,1,2,3,4]
names = ['A','B','C','D','E']
barWidth = 1
plt.bar(r, bars1, color='#7f6d5f', edgecolor='white', width=barWidth)
plt.bar(r, bars2, bottom=bars1, color='#557f2d', edgecolor='white', width=barWidth)
plt.bar(r, bars3, bottom=bars, color='#2d7f5e', edgecolor='white', width=barWidth)
plt.xticks(r, names, fontweight='bold')
plt.xlabel("group")
plt.show()
data:image/s3,"s3://crabby-images/e60f1/e60f1c6290acbdf40b4d6a25888c6b8d20508887" alt="40张python图表_第3张图片"
2.散点图
import matplotlib.pyplot as plt
import numpy as np
rng = np.random.default_rng(1234)
x = rng.lognormal(size=200)
y = x + rng.normal(scale=5 * (x / np.max(x)), size=200)
fig, ax = plt.subplots(figsize = (9, 6))
ax.scatter(x, y, s=60, alpha=0.7, edgecolors="k");
data:image/s3,"s3://crabby-images/5ab36/5ab36df214e557e9c10c5f9c62114294a6922970" alt="在这里插入图片描述"
3.折线图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'x_values': range(1,11), 'y_values': np.random.randn(10) })
plt.plot( 'x_values', 'y_values', data=df, color='skyblue')
plt.show()
plt.plot( 'x_values', 'y_values', data=df, color='skyblue', alpha=0.3)
plt.show()
data:image/s3,"s3://crabby-images/c07bb/c07bba1b54da523c4f76e54ca0134cc439a3fbd1" alt="40张python图表_第4张图片"
data:image/s3,"s3://crabby-images/413f9/413f90f64c0a3c5f43e38b46dd8edfc8f17b6ac5" alt="40张python图表_第5张图片"
4.面积图和刻面
import numpy as np
import seaborn as sns
import pandas as pd
import matplotlib.pyplot as plt
my_count=["France","Australia","Japan","USA","Germany","Congo","China","England","Spain","Greece","Marocco","South Africa","Indonesia","Peru","Chili","Brazil"]
df = pd.DataFrame({
"country":np.repeat(my_count, 10),
"years":list(range(2000, 2010)) * 16,
"value":np.random.rand(160)
})
g = sns.FacetGrid(df, col='country', hue='country', col_wrap=4, )
g = g.map(plt.plot, 'years', 'value')
g = g.map(plt.fill_between, 'years', 'value', alpha=0.2).set_titles("{col_name} country")
g = g.set_titles("{col_name}")
plt.subplots_adjust(top=0.92)
g = g.fig.suptitle('Evolution of the value of stuff in 16 countries')
plt.show()
data:image/s3,"s3://crabby-images/7d17a/7d17a1fb0b273c4d20cf598ef5257e63e48448ef" alt="40张python图表_第6张图片"
5.散点图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'x_values': range(1,101), 'y_values': np.random.randn(100)*15+range(1,101) })
plt.plot( 'x_values', 'y_values', data=df, linestyle='none', marker='o')
plt.show()
data:image/s3,"s3://crabby-images/06035/06035b908a691efc5f923535b8f9557021443dde" alt="40张python图表_第7张图片"
6. 基本饼图
import pandas as pd
import matplotlib.pyplot as plt
df = pd.DataFrame([8,8,1,2], index=['a', 'b', 'c', 'd'], columns=['x'])
df.plot(kind='pie', subplots=True, figsize=(8, 8))
plt.show()
data:image/s3,"s3://crabby-images/fa0d8/fa0d8511925eeca1051563629fbf7901092a62ae" alt="40张python图表_第8张图片"
6.基本甜甜圈图
import matplotlib.pyplot as plt
size_of_groups=[12,11,3,30]
plt.pie(size_of_groups)
my_circle=plt.Circle( (0,0), 0.7, color='white')
p=plt.gcf()
p.gca().add_artist(my_circle)
plt.show()
data:image/s3,"s3://crabby-images/0cbd6/0cbd63daead33bdf16ac058a647c976a844b3d4b" alt="40张python图表_第9张图片"
7.棒棒糖图
import matplotlib.pyplot as plt
import numpy as np
x=range(1,41)
values=np.random.uniform(size=40)
plt.stem(x, values)
plt.ylim(0, 1.2)
plt.show()
plt.stem(values)
plt.show()
data:image/s3,"s3://crabby-images/a7d2a/a7d2a68653af0fdbd2d195e3e33e4d8397baccf5" alt="40张python图表_第10张图片"
data:image/s3,"s3://crabby-images/3fab8/3fab8252a5e0ea0b01a74ec578f7e5c374ac404e" alt="40张python图表_第11张图片"
8. 2D马赛克
import matplotlib.pyplot as plt
import numpy as np
x = np.random.normal(size=50000)
y = x * 3 + np.random.normal(size=50000)
plt.hist2d(x, y, bins=(50, 50), cmap=plt.cm.Reds)
plt.title("A 2D histogram")
plt.show()
data:image/s3,"s3://crabby-images/622d2/622d28516f63070665809dbf1f49db80f25f163f" alt="40张python图表_第12张图片"
9.树形图
import pandas as pd
import matplotlib.pyplot as plt
import squarify
squarify.plot(sizes=[13,22,35,5], label=["group A", "group B", "group C", "group D"], alpha=.7 )
plt.axis('off')
plt.show()
df = pd.DataFrame({'nb_people':[8,3,4,2], 'group':["group A", "group B", "group C", "group D"] })
squarify.plot(sizes=df['nb_people'], label=df['group'], alpha=.8 )
plt.axis('off')
plt.show()
data:image/s3,"s3://crabby-images/72b61/72b61539d0889d0585489972253283fe311de6bd" alt="40张python图表_第13张图片"
data:image/s3,"s3://crabby-images/6b196/6b1965a6e47331d0bd3a248d0f3e4a46dd818385" alt="40张python图表_第14张图片"
10.带有颜色映射值的树状图
import matplotlib
import matplotlib.pyplot as plt
import squarify
my_values=[i**3 for i in range(1,100)]
cmap = matplotlib.cm.Blues
mini=min(my_values)
maxi=max(my_values)
norm = matplotlib.colors.Normalize(vmin=mini, vmax=maxi)
colors = [cmap(norm(value)) for value in my_values]
squarify.plot(sizes=my_values, alpha=.8, color=colors )
plt.axis('off')
plt.show()
data:image/s3,"s3://crabby-images/51969/51969113ab506d36883868af12c035f9be62b5f4" alt="40张python图表_第15张图片"
11.基本面积图
import numpy as np
import matplotlib.pyplot as plt
x=range(1,6)
y=[1,4,6,8,4]
plt.fill_between(x, y)
plt.show()
data:image/s3,"s3://crabby-images/a1977/a1977940b477eae83030880cc83ac6c31c510556" alt="40张python图表_第16张图片"
12.数据帧
import pandas as pd
import numpy as np
import networkx as nx
import matplotlib.pyplot as plt
df = pd.DataFrame({ 'from':['A', 'B', 'C','A'], 'to':['D', 'A', 'E','C']})
G=nx.from_pandas_edgelist(df, 'from', 'to')
nx.draw(G, with_labels=True)
plt.show()
data:image/s3,"s3://crabby-images/0e7c0/0e7c0ff7f2853eb2276d70219c6a404e2d795b1b" alt="40张python图表_第17张图片"
13.3D散点图
from mpl_toolkits.mplot3d import Axes3D
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'X': range(1,101), 'Y': np.random.randn(100)*15+range(1,101), 'Z': (np.random.randn(100)*15+range(1,101))*2 })
fig = plt.figure()
ax = fig.add_subplot(111, projection='3d')
ax.scatter(df['X'], df['Y'], df['Z'], c='skyblue', s=60)
plt.show()
data:image/s3,"s3://crabby-images/2e02d/2e02d6d28dc9765046355a80252d722885db4812" alt="40张python图表_第18张图片"
14.基本雷达图
import matplotlib.pyplot as plt
import pandas as pd
from math import pi
df = pd.DataFrame({
'group': ['A','B','C','D'],
'var1': [38, 1.5, 30, 4],
'var2': [29, 10, 9, 34],
'var3': [8, 39, 23, 24],
'var4': [7, 31, 33, 14],
'var5': [28, 15, 32, 14]
})
categories=list(df)[1:]
N = len(categories)
values=df.loc[0].drop('group').values.flatten().tolist()
values += values[:1]
values
angles = [n / float(N) * 2 * pi for n in range(N)]
angles += angles[:1]
ax = plt.subplot(111, polar=True)
plt.xticks(angles[:-1], categories, color='grey', size=8)
ax.set_rlabel_position(0)
plt.yticks([10,20,30], ["10","20","30"], color="grey", size=7)
plt.ylim(0,40)
ax.plot(angles, values, linewidth=1, linestyle='solid')
ax.fill(angles, values, 'b', alpha=0.1)
plt.show()
data:image/s3,"s3://crabby-images/6e8cc/6e8ccfc478e337a24eb90df05f8cda7e3222c616" alt="40张python图表_第19张图片"
15.雷达分面图
import matplotlib.pyplot as plt
import pandas as pd
from math import pi
df = pd.DataFrame({
'group': ['A','B','C','D'],
'var1': [38, 1.5, 30, 4],
'var2': [29, 10, 9, 34],
'var3': [8, 39, 23, 24],
'var4': [7, 31, 33, 14],
'var5': [28, 15, 32, 14]
})
def make_spider( row, title, color):
categories=list(df)[1:]
N = len(categories)
angles = [n / float(N) * 2 * pi for n in range(N)]
angles += angles[:1]
ax = plt.subplot(2,2,row+1, polar=True, )
ax.set_theta_offset(pi / 2)
ax.set_theta_direction(-1)
plt.xticks(angles[:-1], categories, color='grey', size=8)
ax.set_rlabel_position(0)
plt.yticks([10,20,30], ["10","20","30"], color="grey", size=7)
plt.ylim(0,40)
values=df.loc[row].drop('group').values.flatten().tolist()
values += values[:1]
ax.plot(angles, values, color=color, linewidth=2, linestyle='solid')
ax.fill(angles, values, color=color, alpha=0.4)
plt.title(title, size=11, color=color, y=1.1)
my_dpi=96
plt.figure(figsize=(1000/my_dpi, 1000/my_dpi), dpi=my_dpi)
my_palette = plt.cm.get_cmap("Set2", len(df.index))
for row in range(0, len(df.index)):
make_spider( row=row, title='group '+df['group'][row], color=my_palette(row))
data:image/s3,"s3://crabby-images/343ec/343ecc73b45ccc764906e7b59c9f600767862a59" alt="40张python图表_第20张图片"
16.基本箱线图
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.boxplot(y=df["sepal_length"])
plt.show()
data:image/s3,"s3://crabby-images/8c158/8c158cdff4a065a5cae7dcc7f0f0316b2245c120" alt="40张python图表_第21张图片"
17.水平箱线图
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.boxplot(y=df["species"], x=df["sepal_length"])
plt.show()
data:image/s3,"s3://crabby-images/c4e77/c4e7713b1489f417ad2224ddb73ac3acc1925ca6" alt="40张python图表_第22张图片"
18.组箱线图
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('tips',cache=True,data_home="../seaborn-data-master")
sns.boxplot(x="day", y="total_bill", hue="smoker", data=df, palette="Set1", width=0.5)
plt.show()
data:image/s3,"s3://crabby-images/f2cbb/f2cbbe7fd0cacc431fba5410b64f1df59ad15904" alt="40张python图表_第23张图片"
19.散点图
import seaborn as sns
import matplotlib.pyplot as plt
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.regplot(x=df["sepal_length"], y=df["sepal_width"], line_kws={"color":"r","alpha":0.7,"lw":5})
plt.show()
data:image/s3,"s3://crabby-images/13cb9/13cb950e8b60f9815a3657f4d44c6839cd0f8fb2" alt="40张python图表_第24张图片"
20.小提琴绘图
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.violinplot(y=df["sepal_length"])
plt.show()
data:image/s3,"s3://crabby-images/1de0e/1de0ebc5935f2c496398795d1970e873c6ab8fa8" alt="40张python图表_第25张图片"
21.basic-density-plot-with-seaborn
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.kdeplot(df['sepal_width'], shade=True, bw=0.5, color="olive")
plt.show()
C:\ProgramData\Anaconda3\lib\site-packages\seaborn\distributions.py:1699: FutureWarning: The `bw` parameter is deprecated in favor of `bw_method` and `bw_adjust`. Using 0.5 for `bw_method`, but please see the docs for the new parameters and update your code.
warnings.warn(msg, FutureWarning)
data:image/s3,"s3://crabby-images/5d244/5d24432c1d6ebb953cdafed505979fdd08cdda23" alt="40张python图表_第26张图片"
21.地形图
import seaborn as sns
import matplotlib.pyplot as plt
df = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
sns.set_style("white")
sns.kdeplot(x=df.sepal_width, y=df.sepal_length)
plt.show()
sns.kdeplot(x=df.sepal_width, y=df.sepal_length, cmap="Reds", shade=True, bw_adjust=.5)
plt.show()
sns.kdeplot(x=df.sepal_width, y=df.sepal_length, cmap="Blues", shade=True, thresh=0)
plt.show()
data:image/s3,"s3://crabby-images/0aa61/0aa61b5733f0a0219fc5f5927516644f3cb56e24" alt="40张python图表_第27张图片"
data:image/s3,"s3://crabby-images/be952/be952a3b605e3cb2c7ac71e0f1d8d851f928fb93" alt="40张python图表_第28张图片"
data:image/s3,"s3://crabby-images/847f8/847f8e723707d44349b931d59de162f1db7600c5" alt="40张python图表_第29张图片"
22.具有各种输入格式的 90 热图
import seaborn as sns
import pandas as pd
import numpy as np
df = pd.DataFrame(np.random.random((5,5)), columns=["a","b","c","d","e"])
sns.heatmap(df)
data:image/s3,"s3://crabby-images/92248/92248d9760c11827aa77e8115215d4ce7b505719" alt="40张python图表_第30张图片"
23.控制颜色热图
import seaborn as sns
import matplotlib.pyplot as plt
import pandas as pd
import numpy as np
df = pd.DataFrame(np.random.random((10,10)), columns=["a","b","c","d","e","f","g","h","i","j"])
sns.heatmap(df, cmap="YlGnBu")
plt.show()
sns.heatmap(df, cmap="Blues")
plt.show()
sns.heatmap(df, cmap="BuPu")
plt.show()
sns.heatmap(df, cmap="Greens")
plt.show()
data:image/s3,"s3://crabby-images/c313e/c313e87f26e182c6817d388292b7eb2a6cb8892a" alt="40张python图表_第31张图片"
data:image/s3,"s3://crabby-images/a8e03/a8e03bf183a1824cd98769dd5e530e2c42ed6ae0" alt="40张python图表_第32张图片"
data:image/s3,"s3://crabby-images/234ff/234fff971a6c544ad7011fb68f42d7546ddec4fc" alt="40张python图表_第33张图片"
data:image/s3,"s3://crabby-images/8f823/8f823ef093a0b881c279f86d3b78e592a856779c" alt="40张python图表_第34张图片"
24.
import seaborn as sns
import numpy as np
import matplotlib.pyplot as plt
data = np.random.normal(size=(20, 6)) + np.arange(6) / 2
sns.set_style("whitegrid")
sns.boxplot(data=data)
plt.title("whitegrid")
plt.show()
sns.set_style("darkgrid")
sns.boxplot(data=data);
plt.title("darkgrid")
plt.show()
sns.set_style("white")
sns.boxplot(data=data);
plt.title("white")
plt.show()
sns.set_style("dark")
sns.boxplot(data=data);
plt.title("dark")
plt.show()
sns.set_style("ticks")
sns.boxplot(data=data);
plt.title("ticks")
plt.show()
data:image/s3,"s3://crabby-images/848d8/848d82f9d9600f0f46edff9b267b304d13795f01" alt="40张python图表_第35张图片"
data:image/s3,"s3://crabby-images/75a71/75a71bac307bf09de03ae8e5414577973f374346" alt="40张python图表_第36张图片"
data:image/s3,"s3://crabby-images/02d3b/02d3b35c7ab3697692a888b4e9d3c77249fa8599" alt="40张python图表_第37张图片"
data:image/s3,"s3://crabby-images/627a1/627a175f32af8fd7b99861ba10f4db6ffb6a4135" alt="40张python图表_第38张图片"
data:image/s3,"s3://crabby-images/1ccac/1ccac1681ec2178f2f2cb5ff00e631d20c888d02" alt="40张python图表_第39张图片"
25.seaborn-style-on-matplotlib-plot
from matplotlib import pyplot as plt
import pandas as pd
import numpy as np
df=pd.DataFrame({'x_axis': range(1,101), 'y_axis': np.random.randn(100)*15+range(1,101), 'z': (np.random.randn(100)*15+range(1,101))*2 })
plt.plot( 'x_axis', 'y_axis', data=df, marker='o', color='mediumvioletred')
plt.show()
data:image/s3,"s3://crabby-images/b5578/b55780f952a1d2548e6d8987813aeb3f453d7743" alt="40张python图表_第40张图片"
26.折线标点图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
plt.rcParams["figure.figsize"] = (10, 6)
rng = np.random.default_rng(1111)
x = np.array(range(10))
y = rng.integers(10, 100, 10)
z = y + rng.integers(5, 20, 10)
plt.plot(x, z, linestyle="-", marker="o", label="Income")
plt.plot(x, y, linestyle="-", marker="o", label="Expenses")
plt.legend()
plt.show()
data:image/s3,"s3://crabby-images/6e59f/6e59fe461fbe97888eb67cb7d70571689790dcb2" alt="40张python图表_第41张图片"
27.折折折线线线图
import pandas
import matplotlib.pyplot as plt
import seaborn as sns
from pandas.plotting import parallel_coordinates
data = sns.load_dataset('iris',cache=True,data_home="../seaborn-data-master")
parallel_coordinates(data, 'species', colormap=plt.get_cmap("Set2"))
plt.show()
data:image/s3,"s3://crabby-images/bc817/bc81790d4cfd052664a3e98e2ddba057448ff3e0" alt="40张python图表_第42张图片"
28.提琴图
import seaborn as sns
import matplotlib.pyplot as plt
sns.set(style="darkgrid")
df = sns.load_dataset('tips',cache=True,data_home="../seaborn-data-master")
sns.violinplot(x="day", y="total_bill", hue="smoker", data=df, palette="Pastel1")
plt.show()
data:image/s3,"s3://crabby-images/f6499/f6499b6a5b5689dfafe18cef93e8427d1fea0d5d" alt="40张python图表_第43张图片"
29.自定义热图
import seaborn as sns
import pandas as pd
import numpy as np
df = pd.DataFrame(np.random.random((10,10)), columns=["a","b","c","d","e","f","g","h","i","j"])
sns.heatmap(df, annot=True, annot_kws={"size": 7})
data:image/s3,"s3://crabby-images/20565/205654da614843fcfb00939e2c6e063a9abbe72b" alt="40张python图表_第44张图片"
30.甜甜圈图与子图
import matplotlib.pyplot as plt
group_names=['groupA', 'groupB', 'groupC']
group_size=[12,11,30]
subgroup_names=['A.1', 'A.2', 'A.3', 'B.1', 'B.2', 'C.1', 'C.2', 'C.3', 'C.4', 'C.5']
subgroup_size=[4,3,5,6,5,10,5,5,4,6]
a, b, c=[plt.cm.Blues, plt.cm.Reds, plt.cm.Greens]
fig, ax = plt.subplots()
ax.axis('equal')
mypie, _ = ax.pie(group_size, radius=1.3, labels=group_names, colors=[a(0.6), b(0.6), c(0.6)] )
plt.setp( mypie, width=0.3, edgecolor='white')
mypie2, _ = ax.pie(subgroup_size, radius=1.3-0.3, labels=subgroup_names, labeldistance=0.7, colors=[a(0.5), a(0.4), a(0.3), b(0.5), b(0.4), c(0.6), c(0.5), c(0.4), c(0.3), c(0.2)])
plt.setp( mypie2, width=0.4, edgecolor='white')
plt.margins(0,0)
plt.show()
data:image/s3,"s3://crabby-images/8bcc5/8bcc5c69852b0f6b9d869f07ab9c098d8bd05d33" alt="40张python图表_第45张图片"
31.区域图
import numpy as np
import seaborn as sns
import matplotlib.pyplot as plt
sns.set_style("whitegrid")
blue, = sns.color_palette("muted", 1)
x = np.arange(23)
y = np.random.randint(8, 20, 23)
fig, ax = plt.subplots()
ax.plot(x, y, color=blue, lw=3)
ax.fill_between(x, 0, y, alpha=.3)
ax.set(xlim=(0, len(x) - 1), ylim=(0, None), xticks=x)
plt.show()
data:image/s3,"s3://crabby-images/91c5a/91c5a6b6630da22dc00a3a42bf114340cc765bd2" alt="40张python图表_第46张图片"
32.堆积面积图
import numpy as np
import matplotlib.pyplot as plt
import seaborn as sns
X = np.arange(0, 10, 1)
Y = X + 5 * np.random.random((5, X.size))
baseline = ["zero", "sym", "wiggle", "weighted_wiggle"]
for n, v in enumerate(baseline):
if n<3 :
plt.tick_params(labelbottom='off')
plt.subplot(2 ,2, n + 1)
plt.stackplot(X, *Y, baseline=v)
plt.title(v)
plt.tight_layout()
data:image/s3,"s3://crabby-images/284f5/284f55d2c3ce83a01fb642d716a5aff2f0bb4ca4" alt="40张python图表_第47张图片"
33.气泡图
import matplotlib.pyplot as plt
import numpy as np
import seaborn as sns
x = np.random.rand(15)
y = x+np.random.rand(15)
z = x+np.random.rand(15)
z=z*z
plt.scatter(x, y, s=z*2000, c=x, cmap="Blues", alpha=0.4, edgecolors="grey", linewidth=2)
plt.xlabel("the X axis")
plt.ylabel("the Y axis")
plt.title("A colored bubble plot")
plt.show()
data:image/s3,"s3://crabby-images/8960c/8960cb27caf35273cef8f1f3b51daeb2cf5cdec2" alt="40张python图表_第48张图片"
34.雷达图
import matplotlib.pyplot as plt
import pandas as pd
from math import pi
df = pd.DataFrame({
'group': ['A','B','C','D'],
'var1': [38, 1.5, 30, 4],
'var2': [29, 10, 9, 34],
'var3': [8, 39, 23, 24],
'var4': [7, 31, 33, 14],
'var5': [28, 15, 32, 14]
})
categories=list(df)[1:]
N = len(categories)
angles = [n / float(N) * 2 * pi for n in range(N)]
angles += angles[:1]
ax = plt.subplot(111, polar=True)
ax.set_theta_offset(pi / 2)
ax.set_theta_direction(-1)
plt.xticks(angles[:-1], categories)
ax.set_rlabel_position(0)
plt.yticks([10,20,30], ["10","20","30"], color="grey", size=7)
plt.ylim(0,40)
values=df.loc[0].drop('group').values.flatten().tolist()
values += values[:1]
ax.plot(angles, values, linewidth=1, linestyle='solid', label="group A")
ax.fill(angles, values, 'b', alpha=0.1)
values=df.loc[1].drop('group').values.flatten().tolist()
values += values[:1]
ax.plot(angles, values, linewidth=1, linestyle='solid', label="group B")
ax.fill(angles, values, 'r', alpha=0.1)
plt.legend(loc='upper right', bbox_to_anchor=(0.1, 0.1))
plt.show()
data:image/s3,"s3://crabby-images/7aa63/7aa63ab65457e5a7980b304b87df71ca21766f78" alt="40张python图表_第49张图片"
35.密度镜图
import numpy as np
from numpy import linspace
import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt
from scipy.stats import gaussian_kde
df = pd.DataFrame({
'var1': np.random.normal(size=1000),
'var2': np.random.normal(loc=2, size=1000) * -1
})
plt.rcParams["figure.figsize"]=12,8
sns.kdeplot(data=df, x="var1", fill=True, alpha=1)
kde = gaussian_kde(df.var2)
x_range = linspace(min(df.var2), max(df.var2), len(df.var2))
sns.lineplot(x=x_range*-1, y=kde(x_range) * -1, color='orange')
plt.fill_between(x_range*-1, kde(x_range) * -1, color='orange')
plt.xlabel("value of x")
plt.axhline(y=0, linestyle='-',linewidth=1, color='black')
plt.show()
data:image/s3,"s3://crabby-images/da09a/da09aff4b0eb9964838893eca67a70278922fb30" alt="40张python图表_第50张图片"
36.避免重叠散点图
import numpy as np
import matplotlib.pyplot as plt
from scipy.stats import kde
data = np.random.multivariate_normal([0, 0], [[1, 0.5], [0.5, 3]], 200)
x, y = data.T
fig, axes = plt.subplots(ncols=6, nrows=1, figsize=(21, 5))
axes[0].set_title('Scatterplot')
axes[0].plot(x, y, 'ko')
nbins = 20
axes[1].set_title('Hexbin')
axes[1].hexbin(x, y, gridsize=nbins, cmap=plt.cm.BuGn_r)
axes[2].set_title('2D Histogram')
axes[2].hist2d(x, y, bins=nbins, cmap=plt.cm.BuGn_r)
k = kde.gaussian_kde(data.T)
xi, yi = np.mgrid[x.min():x.max():nbins*1j, y.min():y.max():nbins*1j]
zi = k(np.vstack([xi.flatten(), yi.flatten()]))
axes[3].set_title('Calculate Gaussian KDE')
axes[3].pcolormesh(xi, yi, zi.reshape(xi.shape), shading='auto', cmap=plt.cm.BuGn_r)
axes[4].set_title('2D Density with shading')
axes[4].pcolormesh(xi, yi, zi.reshape(xi.shape), shading='gouraud', cmap=plt.cm.BuGn_r)
axes[5].set_title('Contour')
axes[5].pcolormesh(xi, yi, zi.reshape(xi.shape), shading='gouraud', cmap=plt.cm.BuGn_r)
axes[5].contour(xi, yi, zi.reshape(xi.shape) )
C:\Users\Administrator\AppData\Local\Temp\ipykernel_10484\129967845.py:28: DeprecationWarning: Please use `gaussian_kde` from the `scipy.stats` namespace, the `scipy.stats.kde` namespace is deprecated.
k = kde.gaussian_kde(data.T)
data:image/s3,"s3://crabby-images/97c75/97c75e78111c5a26d189c016dd162c22eba620fc" alt="40张python图表_第51张图片"
37.重点折线图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'x': range(1,11), 'y1': np.random.randn(10), 'y2': np.random.randn(10)+range(1,11), 'y3': np.random.randn(10)+range(11,21), 'y4': np.random.randn(10)+range(6,16), 'y5': np.random.randn(10)+range(4,14)+(0,0,0,0,0,0,0,-3,-8,-6), 'y6': np.random.randn(10)+range(2,12), 'y7': np.random.randn(10)+range(5,15), 'y8': np.random.randn(10)+range(4,14) })
plt.style.use('seaborn-darkgrid')
my_dpi=96
plt.figure(figsize=(480/my_dpi, 480/my_dpi), dpi=my_dpi)
for column in df.drop('x', axis=1):
plt.plot(df['x'], df[column], marker='', color='grey', linewidth=1, alpha=0.4)
plt.plot(df['x'], df['y5'], marker='', color='orange', linewidth=4, alpha=0.7)
plt.xlim(0,12)
num=0
for i in df.values[9][1:]:
num+=1
name=list(df)[num]
if name != 'y5':
plt.text(10.2, i, name, horizontalalignment='left', size='small', color='grey')
plt.text(10.2, df.y5.tail(1), 'Mr Orange', horizontalalignment='left', size='small', color='orange')
plt.title("Evolution of Mr Orange vs other students", loc='left', fontsize=12, fontweight=0, color='orange')
plt.xlabel("Time")
plt.ylabel("Score")
plt.show()
data:image/s3,"s3://crabby-images/520f5/520f5fc178255d7e59fc2f1383ffbc265bcb3fe3" alt="40张python图表_第52张图片"
38.分散折线图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'x': range(1,11), 'y1': np.random.randn(10), 'y2': np.random.randn(10)+range(1,11), 'y3': np.random.randn(10)+range(11,21), 'y4': np.random.randn(10)+range(6,16), 'y5': np.random.randn(10)+range(4,14)+(0,0,0,0,0,0,0,-3,-8,-6), 'y6': np.random.randn(10)+range(2,12), 'y7': np.random.randn(10)+range(5,15), 'y8': np.random.randn(10)+range(4,14), 'y9': np.random.randn(10)+range(4,14) })
plt.style.use('seaborn-darkgrid')
palette = plt.get_cmap('Set1')
num=0
for column in df.drop('x', axis=1):
num+=1
plt.subplot(3,3, num)
plt.plot(df['x'], df[column], marker='', color=palette(num), linewidth=1.9, alpha=0.9, label=column)
plt.xlim(0,10)
plt.ylim(-2,22)
if num in range(7) :
plt.tick_params(labelbottom='off')
if num not in [1,4,7] :
plt.tick_params(labelleft='off')
plt.title(column, loc='left', fontsize=12, fontweight=0, color=palette(num) )
plt.suptitle("How the 9 students improved\nthese past few days?", fontsize=13, fontweight=0, color='black', style='italic', y=1.02)
plt.text(0.5, 0.02, 'Time', ha='center', va='center')
plt.text(0.06, 0.5, 'Note', ha='center', va='center', rotation='vertical')
plt.show()
data:image/s3,"s3://crabby-images/7bebd/7bebd60991fd5ea4188a97e6231915a9cfb6320d" alt="40张python图表_第53张图片"
39. 标记形状图
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
df=pd.DataFrame({'x_values': range(1,101), 'y_values': np.random.randn(100)*80+range(1,101) })
plt.plot( 'x_values', 'y_values', data=df, linestyle='none', marker='*')
plt.show()
all_poss=['.','o','v','^','>','<','s','p','*','h','H','D','d','1','','']
plt.xlim(0.5,4.5)
plt.ylim(0.5,4.5)
plt.xticks([])
plt.yticks([])
num=0
for x in range(1,5):
for y in range(1,5):
num += 1
plt.plot(x,y,marker=all_poss[num-1], markerfacecolor='orange', markersize=23, markeredgecolor="black")
plt.text(x+0.2, y, all_poss[num-1], horizontalalignment='left', size='medium', color='black', weight='semibold')
data:image/s3,"s3://crabby-images/dde71/dde71f2fd867568f96cd84c287673193439d2ac4" alt="40张python图表_第54张图片"
data:image/s3,"s3://crabby-images/46d09/46d09e64c3be098ba682f056f7178cd7b2d681f6" alt="40张python图表_第55张图片"
40.基本堆积面积图
import numpy as np
import matplotlib.pyplot as plt
x=range(1,6)
y=[ [1,4,6,8,9], [2,2,7,10,12], [2,8,5,10,6] ]
plt.stackplot(x,y, labels=['A','B','C'])
plt.legend(loc='upper left')
plt.show()
x=range(1,6)
y1=[1,4,6,8,9]
y2=[2,2,7,10,12]
y3=[2,8,5,10,6]
plt.stackplot(x,y1, y2, y3, labels=['A','B','C'])
plt.legend(loc='upper left')
plt.show()
data:image/s3,"s3://crabby-images/bcb6b/bcb6b4c976e68346e2f0ce18d1685847c05e4f4f" alt="40张python图表_第56张图片"
data:image/s3,"s3://crabby-images/7a5a4/7a5a490281e755c0fb2b90e07a45f66c1b7ef97e" alt="40张python图表_第57张图片"