1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125
| import matplotlib.pyplotasplt
importnumpyasnp
fig=plt.figure()
fig.set_figwidth(1200)
########饼图############
axes=fig.add_subplot(2,3,1)
labels='A','B','C','D'
fracs=[15,30,45,10]
axes.set_aspect(aspect=1)#plt.axes(aspect=1)使x y轴比例相同
explode=[0,0.05,0,0]#突出某一部分区域
axes.pie(x=fracs,labels=labels,autopct='%.0f%%',explode=explode)#autopct显示百分比
########线图###########
axes=fig.add_subplot(2,3,2)
x=np.arange(1,5)
y=x*2
axes.plot(x,y)
axes.grid(True,color='g',linestyle='--',linewidth='1')
#########多条线#########
axes=fig.add_subplot(2,3,3)
x=np.arange(1,11,1)
axes.plot(x,x*2)
axes.plot(x,x*3)
axes.plot(x,x*4)
axes.legend(['Normal','Fast','Faster'])
########散点图##########
axes=fig.add_subplot(2,3,4)
x=np.random.randn(1000)
y=x+np.random.randn(1000)*0.5
axes.scatter(x,y,s=5,marker='<')# s表示面积,marker表示图形
#########条形图##########
axes=fig.add_subplot(2,3,5)
y=[20,10,40,25,15]
index=np.arange(5)
axes.bar(left=index,height=y,color='green')
#########箱形图##########
axes=fig.add_subplot(2,3,6)
data=np.random.normal(size=(1000,4),loc=0,scale=1)#标准整体分布
labels=['A','B','C','D']
axes.boxplot(data,labels=labels)
plt.show()
#########直方图##########
mu=100
sigma=20
x=mu+sigma*np.random.randn(20000)#样本数量
plt.hist(x,bins=100,color='green',normed=True)# bins显示有几个直方,normed是否对数据进行标准化
plt.show()
#########等高线##########
#定义等高线图的横纵坐标x,y
#从左边取值为从-3到3,各取5个点,一共取5*5 = 25个点
x=np.linspace(-3,3,5)
y=np.linspace(-3,3,5)
#将原始数据变成网格数据
X, Y=np.meshgrid(x, y)
#各地点对应的高度数据
#Height是个5*5的数组,记录地图上25个点的高度汇总
Height= [[0,0,1,2,2],[0,-2,-2,1,5],[4,2,6,8,1],[3,-3,-3,0,5],[1,-5,-2,0,3]]
#填充颜色
plt.contourf(X, Y, Height,10,alpha=0.6,cmap=plt.cm.hot)
#绘制等高线
C=plt.contour(X, Y, Height,10,colors='black',linewidth=0.5)
#显示各等高线的数据标签
plt.clabel(C,inline=True,fontsize=10)
plt.show()
|