1 """
2 绘制组合图:3 组合图就是将多个形状,组合到?个图形中,主要作?是节约作图的空间,节省读者的时间,从?提?4 信息传达的效率。5 """
6 importpandas as pd7 importnumpy as np8 importmatplotlib.pyplot as plt9 defplot_combination1():10 sale = pd.read_excel(‘./data/每月目标销售额和实际销售额.xlsx‘,header=0,index_col=0)11 #设置正常显示中文标签
12 plt.rcParams[‘font.sans-serif‘] = [‘SimHei‘]13 #正常显示负号
14 plt.rcParams[‘axes.unicode_minus‘] =False15 #设置字体大小
16 plt.rcParams.update({‘font.size‘:16})17
18 #提取数据
19 x = np.arange(12)+1
20 y1 =sale.目标销售额21 y2 =sale.实际销售额22
23 #计算目标完成率
24 y3 = y2/y1 #float
25 #print(y3) 1月 1.120000 2月 0.887500 3月 1.118182 4月 1.150000
26 """
27 第一种方式:是?两个不同颜?的柱?,分别展示每个?的实际销售额和?标销售额,28 ?折线图展示?标完成率。29 左边的主坐标轴是柱形图对应的数据,右边的次坐标轴是折线图对应的30 数据,下边的横坐标轴表示细分的维度,?如时间、地区、渠道等。31 """
32 plt.figure(figsize=(16,8))33 plt.subplot(111)34
35 #柱形宽度
36 bar_width = 0.35
37
38 #在主坐标轴绘制柱形图
39 plt.bar(x,y1,bar_width,label=‘目标销售额‘)40 plt.bar(x+bar_width,y2,bar_width,label=‘实际销售额‘)41
42 #设置坐标轴的取值范围,避免柱子过高而与图例重叠
43 plt.ylim(0,max(y1.max(),y2.max())*1.2)44
45 #设置图例
46 plt.legend(loc=‘upper left‘)47
48 #设置横坐标的标签
49 plt.xticks(x)50 #plt.set_xticklabels(sale.index)
51
52 #在次坐标轴上绘制折线图
53 plt.twinx()54 #ls:线的类型,lw:宽度,o:在顶点处实心圈
55 plt.plot(x,y3,ls=‘-‘,lw=2,color=‘r‘,marker=‘o‘,label=‘目标完成率‘)56
57 #设置次坐标轴的取值范围,避免折线图波动过大
58 plt.ylim(0,1.35)59
60 #设置图例
61 plt.legend()62
63 #定义显示百分号的函数
64 def to_percent(number, position=0):65 return ‘%.f‘ % (number * 100) + ‘%‘
66
67 #次坐标轴的标签显示百分号 FuncFormatter:自定义格式函数包
68 from matplotlib.ticker importFuncFormatter69 plt.gca().yaxis.set_major_formatter(FuncFormatter(to_percent))70
71 #设置标题
72 plt.title(‘\n每月销售目标达成情况\n‘,fontsize=36,loc=‘center‘,color = ‘k‘)73 plt.show()74
75
76
77 defplot_combination2():78 """
79 第二种方式:是?两条不同颜?的折线,分别展示每个?的实际销售额和?标销售额,再?两种不同颜80 ?的柱形图展示实际与?标的差额,绿?代表完成?标,红?代表没有完成?标,81 这种组合图不需要?到两个纵坐标轴,82 """
83 importpandas as pd84 importnumpy as np85 importmatplotlib.pyplot as plt86
87 #设置正常显示中?标签
88 plt.rcParams[‘font.sans-serif‘] = [‘SimHei‘]89
90 #正常显示负号
91 plt.rcParams[‘axes.unicode_minus‘] =False92
93 #设置字体??
94 plt.rcParams.update({‘font.size‘: 16})95
96 #从 Excel ?件中读取数据,第?列设置为索引
97 sale = pd.read_excel(‘./data/每月目标销售额和实际销售额.xlsx‘, index_col=0)98 #提取数据
99 #print(‘index‘)
100 x = sale.index #Index([‘1月‘, ‘2月‘, ‘3月‘, ‘4月‘, ‘5月‘, ‘6月‘, ‘7月‘, ‘8月‘, ‘9月‘, ‘10月‘, ‘11月‘, ‘12月‘], dtype=‘object‘, name=‘month‘)
101 #print(x)
102 y1 =sale.目标销售额103 y2 =sale.实际销售额104 #计算差额
105 y3 = y2 -y1106 #绘制折线图
107 plt.figure(figsize=(16, 8))108 plt.subplot(111)109 plt.plot(x, y1, ls=‘-‘, lw=2, label=‘目标销售额‘)110 plt.plot(x, y2, ls=‘--‘, lw=2, label=‘实际销售额‘)111 #?列表推导式定义柱?的颜?,绿?代表完成?标, 红?代表没有完成?标
112 color = [‘g‘ if i > 0 else ‘#dc5034‘ for i iny3]113
114 #绘制柱形图
115 plt.bar(x, y3, color=color, label=‘差额‘)116 #设置图例
117 plt.legend(loc=‘upper left‘)118 #设置标题
119 title = ‘\n每月销售目标达成情况\n‘
120 plt.title(title, fontsize=36, loc=‘center‘, color=‘k‘)121 plt.show()122
123 if __name__ == ‘__main__‘:124 plot_combination1()125 plot_combination2()