Python图表属性



Python拥有优秀的用于数据可视化的库。结合Pandasnumpymatplotlib,可以创建几乎所有类型的可视化图表。本章我们将开始学习一些简单的图表及其各种属性。

创建图表

我们使用numpy库创建创建图表所需的数字,并使用matplotlib中的pyplot方法绘制实际图表。

import numpy as np 
import matplotlib.pyplot as plt 

x = np.arange(0,10) 
y = x ^ 2 
#Simple Plot
plt.plot(x,y)

输出如下:

chartprop1.png

轴标签

我们可以使用库中的适当方法为轴添加标签,并为图表添加标题,如下所示。

import numpy as np 
import matplotlib.pyplot as plt 

x = np.arange(0,10) 
y = x ^ 2 
#Labeling the Axes and Title
plt.title("Graph Drawing") 
plt.xlabel("Time") 
plt.ylabel("Distance") 
#Simple Plot
plt.plot(x,y)

输出如下:

chartprop2.png

格式化线型和颜色

可以使用库中的适当方法指定图表中线的样式和颜色,如下所示。

import numpy as np 
import matplotlib.pyplot as plt 

x = np.arange(0,10) 
y = x ^ 2 
#Labeling the Axes and Title
plt.title("Graph Drawing") 
plt.xlabel("Time") 
plt.ylabel("Distance") 

# Formatting the line colors
plt.plot(x,y,'r')

# Formatting the line type  
plt.plot(x,y,'>') 

输出如下:

chartprop3.png

保存图表文件

可以使用库中的适当方法将图表保存为不同的图像文件格式,如下所示。

import numpy as np 
import matplotlib.pyplot as plt 

x = np.arange(0,10) 
y = x ^ 2 
#Labeling the Axes and Title
plt.title("Graph Drawing") 
plt.xlabel("Time") 
plt.ylabel("Distance") 

# Formatting the line colors
plt.plot(x,y,'r')

# Formatting the line type  
plt.plot(x,y,'>') 

# save in pdf formats
plt.savefig('timevsdist.pdf', format='pdf')

以上代码在Python环境的默认路径下创建pdf文件。

广告