官方网址:http://matplotlib.org/tutorials/introductory/lifecycle.html#sphx-glr-tutorials-introductory-lifecycle-py

  根据官网描述,matplotlib有两个接口:一个是(object-oriented interfacet)面向对象的接口,用于控制Figure和Axes,它控制一个或多个图形的显示;另一个是pyplot,它是MATLAB的封装,每个Axes是一个依赖于pyplot的独立子图。

一、基本图形的简单用法

  1、散点图:最大的作用是查看两个或多个数据的分布情况,可以查看数据的相关性(正相关,负相关),残差分析等。

  1. N = 1000
  2. x = np.random.randn(N)
  3. y = np.random.randn(N) * 0.5 + x
  4. plt.scatter(y, x)
  5. plt.show()
  1. N = 1000
  2. x = np.random.rand(N);y = np.random.rand(N);colors = np.random.rand(N)
  3. area = np.pi * (15*np.random.rand(N)) ** 2
  4. plt.scatter(x, y, s=area, c=colors, alpha=0.5)
  5. plt.show()

  2、折线图:用来描述数据随时间的变化趋势

    数据文件https://files.cnblogs.com/files/kuaizifeng/test1data.zip

  1. import time
  2. date, open_price, close_price = np.loadtxt('test1data.csv', delimiter=',', skiprows=1,
  3. usecols=(0, 1, 4),
  4. converters={0: lambda s:time.mktime(time.strptime(str(s, 'utf8'), '%Y/%m/%d'))},
  5. unpack=True)
  6.  
  7. plt.figure(figsize=(20 ,10))
  8. plt.plot(date, open_price, color='green', marker='<')
  9. plt.plot(date, close_price, color='red', marker='>')
  10. # plt.xticks = [time.strftime('%Y/%m/%d', time.localtime(i)) for i in date]
  11. plt.show()

  3、条形图:用于不同分类数据的比较

  1. N = 5
  2. y = [20, 10, 30, 25, 15]
  3. index = np.arange(N)
  4. # plt.bar(left=index, height=y, color='red', width=0.5)#竖直方向
  5. plt.bar(left=0, bottom=index, width=y, color='red', height=0.5, orientation='horizontal')#
  6. # left的是每个数组的左侧坐标点,height是每个条形图的数值
  7. # 快速记忆:left,bottom;width,height是一一对应的关系
  8. plt.show()
  1. # 快速绘制
  2. plt.barh(left=0, bottom=index, width=y)
  3. plt.show()
  1. # 多个条形图
  2. index = np.arange(4)
  3. sales_BJ = [52, 55, 63, 53]
  4. sales_SH = [44, 66, 55, 41]
  5. bar_width = 0.3
  6. plt.bar(left=index, height=sales_BJ, width=bar_width, color='b')
  7. plt.bar(left=index+bar_width, height=sales_SH, width=bar_width, color='r')
  8. plt.show()
  1. # 堆积条形图
  2. index = np.arange(4)
  3. sales_BJ = [52, 55, 63, 53]
  4. sales_SH = [44, 66, 55, 41]
  5. bar_width = 0.3
  6. plt.bar(left=index, height=sales_BJ, width=bar_width, color='b')
  7. plt.bar(left=index, bottom=sales_BJ, height=sales_SH, width=bar_width, color='r')
  8. plt.show()
  1. # 横向堆积条形图
  2. index = np.arange(4)
  3. sales_BJ = [52, 55, 63, 53]
  4. sales_SH = [44, 66, 55, 41]
  5. bar_width = 0.3
  6. plt.barh(left=0, bottom=index, height=bar_width, width=sales_BJ, color='b')
  7. # 当然用orientation='horizontal'也是可以的
  8. plt.barh(left=sales_BJ, bottom=index, height=bar_width, width=sales_SH, color='r')
  9. plt.show()

  4、直方图:有一系列高度不等的条形图组成,用来表示连续型数据分布情况

  1. # 正态分布直方图
  2. mean = 100# mean of distribution
  3. sigma = 20# standard of distribution
  4. x = mean + sigma*np.random.randn(10000)
  5. plt.hist(x, bins=50, color='green', normed=True)
  6. # bins:在直方图里设置多少个条块;normed:是否标准化;没有标准化时纵坐标是‘个数’,标准化后纵坐标是‘频率’
  7. plt.show()
  1. # 双变量直方图:用来探索双变量的联合分布情况
  2. x = np.random.randn(1000) + 2
  3. y = np.random.randn(1000) + 3
  4. plt.hist2d(x, y, bins=40)
  5. plt.show()

  5、饼状图:用来显示一系列数据内各组数据的占比大小

  1. labels = 'a', 'b', 'c', 'd'
  2. fracs = [15,30, 45, 10]
  3. # plt.axes(aspect=1)# 控制饼状图的比例:1表示正圆
  4. plt.pie(x=fracs, labels=labels, autopct='%0.0f%%', explode=[0.1, 0., 0., 0.], shadow=True)
  5. # autopct:显示比例;explode:每个饼块里圆心的距离;添加阴影效果
  6. plt.show()

  6、箱线图:用于显示数据的集中和离散情况,以及检测异常值

  1. np.random.seed(100)
  2. data = np.random.normal(size=1000, loc=0, scale=1)
  3. plt.boxplot(data, sym='o', whis=1.5)
  4. # sym:用来调整异常值的形状;whis:异常值的界限,默认是1.5倍四分位距
  5. plt.show()
  1. # 绘制多个箱线图
  2. np.random.seed(100)
  3. data = np.random.normal(size=(1000, 4), loc=0, scale=1)
  4. labels=['a', 'b', 'c', 'd']
  5. plt.boxplot(data, labels=labels, sym='o', whis=1.5)
  6. plt.show()

二、元素样式

  1. # 八中内建颜色:blue、green、red、cyan、magenta、yellow、black、white;默认按这个顺序画多个图形
  2. # 其它颜色表示方法:灰色阴影、html十六进制、RGB元组
  3. # 点的形状23种
  4. potstyle = ['.', ',', 'o', 'v', '^', '<', '>', '', '', '', '', '', 's', 'p', '*',
  5. 'h', 'H', '+', 'X', 'D', 'd', '|', '-']
  6. # 四种线型
  7. linestyle = ['-', '--', '-.', ':']
  8. # 样式字符串就是三种样式的简写方式,对应颜色、点、线型
  1. # 示例
  2. y = np.arange(1, 5) + 1
  3. marker = ['b', 'g', 'r', 'c', 'm', 'y', 'b', 'w']
  4. for i in range(8):
  5. plt.plot(y+i, marker[i])
  6. plt.show()
  1. y = np.arange(1, 5)
  2. plt.plot(y, color='g')#内置颜色
  3. plt.plot(y+1, color='0.5')#回影颜色
  4. plt.plot(y+2, color='#FF00FF')#十六进制表示法
  5. plt.plot(y+3, color=(0.1, 0.2, 0.3))#RGB元组表示
  6. plt.show()
  1. y = np.arange(1, 5)
  2. plt.plot(y, marker='o')#指定marker时划线
  3. plt.plot(y+1, 'D')#不指定marker时划点
  4. plt.plot(y+2, '^')
  5. plt.plot(y+3, marker='p')
  6. plt.show()
  1. # 样式
  2. y = np.arange(1, 5)
  3. plt.plot(y, 'cx--')
  4. plt.plot(y+1, 'kp:')
  5. plt.plot(y+2, 'mo-.')
  6. plt.show()

三、面向对象绘图

  三种绘图方式:
     1.pyplot:经典高层封装;
     2.pylab:将matplotlib和Numpy合并的模块,模拟matplab的编程环境;不推荐使用,作者也不推荐使用;
     3.面向对象的方式:matplotlib的精髓,更基础和底层的方式.

  1、画布与子图

    figure对象是画布,Axes对象是画布里的子图

  1. # 绘制多个图
  2. fig1 = plt.figure()
  3. ax1 = fig1.add_subplot(111)
  4. ax1.plot([1, 2, 3], [3, 2, 1])
  5. fig2 = plt.figure()
  6. ax2 = fig2.add_subplot(111)
  7. ax2.plot([1, 2, 3], [1, 2, 3])
  8. plt.show()
  1. # 一张图里放多个子图
  2. x = np.arange(1, 100)
  3. fig = plt.figure()
  4. ax1 = fig.add_subplot(221);ax1.plot(x, x)# plt.subplot(221)
  5. ax2 = fig.add_subplot(222);ax2.plot(x, -x)
  6. ax3 = fig.add_subplot(223);ax3.plot(-x, x)
  7. ax4 = fig.add_subplot(224);ax4.plot(-x, -x)
  8. plt.show()

  2、网格线

  1. y = np.arange(1, 10)
  2. plt.plot(y, y**2)
  3. plt.grid(color='r', linewidth='0.5', linestyle=':')#网格
  4. plt.show()

  3、图例

  1. x = np.arange(1, 11, 1)
  2. plt.plot(x, x**2, label='Normal')#在图形中写上线的标签
  3. plt.plot(x, x**3, label='Fast')
  4. plt.plot(x, x**4, label='Fastest')
  5. plt.legend(loc=1, ncol=3)
  6. #1,2,3,4表示右上、左上、左下、右下.0表示自动.ncol表示几列.
  7. plt.show()
  1. x = np.arange(1, 11, 1)
  2. plt.plot(x, x**2, label='Normal')#在图形中写上线的标签
  3. plt.plot(x, x**3, label='Fast')
  4. plt.plot(x, x**4, label='Fastest')
  5. plt.legend(['Normal', 'Fast', 'Fastest'], loc='upper right')
  6. #1,2,3,4表示右上、左上、左下、右下.0表示自动.ncol表示几列.
  7. plt.show()
  1. x = np.arange(1, 11, 1)
  2. fig = plt.figure();ax = fig.add_subplot(111);
  3. l, = plt.plot(x, x**2);l.set_label('Normal set')#设置label
  4. ax.legend(loc=1)#注意这里的ax
  5. plt.show()

  4、坐标轴

  1. # 设置坐标轴范围
  2. x = np.arange(-10, 11, 1)
  3. fig = plt.figure();ax = fig.add_subplot(111);
  4. ax.plot(x, x*x)
  5. print(ax.axis())#[-11, 11, -5, 105]表示的是x的最小和最大值、y的最小和最大值
  6. ax.axis([-5, 5, 0, 25])#设置坐标轴范围方式
  7. plt.show()
  1. # 设置坐标轴范围
  2. x = np.arange(-10, 11, 1)
  3. fig = plt.figure();ax = fig.add_subplot(111);
  4. ax.plot(x, x*x)
  5. ax.set_xlim([-5, 5])#以列表的方式些参数
  6. ax.set_ylim(ymin=-5, ymax=50)#以关键字参数的方式写参数
  7. plt.show()
  1. # 添加坐标轴
  2. x = np.arange(2, 20, 1)
  3. y1 = x*x;y2 = np.log(x)
  4. plt.plot(x, y1)
  5. plt.twinx()#添加x坐标轴,默认是01
  6. plt.plot(x, y2, 'r')#第二条线就直接画在twinx上了?
  7. plt.show()
  1. # 添加坐标轴
  2. x = np.arange(2, 20, 1)
  3. y1 = x*x;y2 = np.log(x)
  4. fig = plt.figure(); ax1 = fig.add_subplot(111)
  5. ax1.plot(x, y1);ax1.set_ylabel('Y1')
  6. ax2 = ax1.twinx(); #实例化一个子图ax1,添加坐标轴是这个子图的一个方法
  7. ax2.plot(x, y2, 'r');ax2.set_ylabel('Y2')
  8. ax1.set_xlabel('Compare Y1 and Y2')
  9. plt.show()
  10. # 当然,有twinx(),就有twiny()

  5、注释

  1. # 添加注释:为了给某个数据添加强调效果
  2. x = np.arange(-10, 11, 1)
  3. plt.plot(x, x*x)
  4. plt.annotate('this is the bottom', xy=(0,1), xytext=(0,20),
  5. arrowprops=dict(facecolor='c', width=50, headlength=10, headwidth=30))# 文本内容;箭头坐标;文本内容坐标;箭头设置:
  6. plt.show()
  1. # 纯文字标注
  2. x = np.arange(-10, 11, 1)
  3. plt.plot(x, x*x)
  4. plt.text(-4.5, 40, 'function:y=x*x', family='serif', size=20, color='r')
  5. plt.text(-4, 20, 'function:y=x*x', family='fantasy', size=20, color='g')
  6. plt.text(-4, 60, 'fuction:y=x*x', size=20, style='italic', weight=1000,
  7. bbox=dict(facecolor='g'), rotation=30)
  8. #style:italic和oblique都是斜体;weight是粗细0-1000,或者写名称
  9. # bbox给text加上边缘效果设置,还有其它的参数;text还有水平线、竖直线等等;arrowprops也还有其它的效果参数
  10. plt.show()

  6、数学公式

  matplotlib自带mathtext引擎,遵循Latex排版规范。$作为开头和结束符,如"$ y=x**2 $";特殊表达式和字符前面要加"\";公式里的参数设置,要以{}括起来。

  1. fig = plt.figure();ax = fig.add_subplot(111);
  2. ax.set_xlim([1, 7])
  3. ax.set_ylim([1, 5])
  4. ax.text(2, 4, r'$ \alpha_i \beta \pi \lambda \omega $', size=20)
  5. # 下标用_i
  6. ax.text(4, 4, r'$ \sin(x) = \cos(\frac{\pi}{2}) $', size=20)
  7. # \frac{}{},分式:分子/分母
  8. ax.text(2, 2, r'$ \lim_{x \rightarrow y} (\frac{1}{x^3}) $', size=20)
  9. ax.text(4, 2, r'$ \sqrt[4]{4x}{4x} = \sqrt{y} $', size=20)
  10. # sqrt开方的参数是[]
  11. plt.show()

四、区域填充

  1、fill和fill_between

  1. x = np.linspace(0, 5*np.pi, 1000);y1 = np.sin(x); y2 = np.sin(2*x)
  2. # plt.plot(x, y1); plt.plot(x, y2)
  3. # 不写plot,是因为它画了线
  4. plt.fill(x, y1, 'b', alpha=0.3);plt.fill(x, y2, 'r', alpha=0.3)#填充的是图形与x轴之间的区域
  5. plt.show()
  1. x = np.linspace(0, 5*np.pi, 1000);y1 = np.sin(x); y2 = np.sin(2*x)
  2. fig = plt.figure();ax = fig.add_subplot(111)
  3. ax.plot(x, y1, 'r', x, y2, 'b')
  4. ax.fill_between(x, y1, y2, facecolor='yellow', interpolate=True)
  5. ax.fill_between(x, y1, y2, where=y1>y2, facecolor='green', interpolate=True)
  6. # 放大时会出现空白,interpolate是把空白填上
  7. plt.show()

  2、patches:补丁

  1. import matplotlib.patches as mpatches
  2. fig, ax = plt.subplots()
  3. # 圆形
  4. xy1 = np.array([0.2, 0.2])
  5. circle = mpatches.Circle(xy1, 0.05)#第一个参数是xy1圆心,第二个参数是半径
  6. ax.add_patch(circle)
  7. # 长方形
  8. xy2 = np.array([0.2, 0.8])
  9. rect = mpatches.Rectangle(xy2, 0.2, 0.1, color='r')#第一个参数是矩形右下角,第二个和第三个参数是宽和高
  10. ax.add_patch(rect)
  11. # 多边形
  12. xy3 = np.array([0.8, 0.2])
  13. polygon = mpatches.RegularPolygon(xy3, 6, 0.1, color='g')#多边形中心、边数、半径
  14. ax.add_patch(polygon)
  15. # 椭圆
  16. xy4 = np.array([0.8, 0.8])
  17. ellipse = mpatches.Ellipse(xy4, 0.4, 0.2, color='y')
  18. ax.add_patch(ellipse)
  19. plt.axis('equal')#调整x,y的显示比例
  20. plt.grid()
  21. plt.show()
  22. # 还有其它的图形,参考matplotlib官网的patches模块说明

五、绘图样式  

  1. def plot(style):
  2. fig, axes = plt.subplots(ncols=2, nrows=2)
  3. ax1, ax2, ax3, ax4 = axes.ravel()
  4. # 选择绘图样式
  5. plt.style.use(style)
  6. # 第一张图
  7. x, y = np.random.normal(size=(2, 100))
  8. ax1.plot(x, y, 'o')
  9. # 第二张图
  10. x = np.arange(0, 10);y = np.arange(0, 10)
  11. ncolors = len(plt.rcParams['axes.prop_cycle'])
  12. # plt.rcParams['axes.prop_cycle'] #默认是七种颜色
  13. shift = np.linspace(0, 10, ncolors)
  14. for s in shift:
  15. ax2.plot(x, y+s, '-')
  16. # 第三张图
  17. x = np.arange(5)
  18. y1, y2, y3 = np.random.randint(1, 25, size=(3,5))
  19. width=0.25
  20. ax3.bar(x, y1, width);
  21. ax3.bar(x+width, y2, width, color=list(plt.rcParams['axes.prop_cycle'])[1]['color'])
  22. ax3.bar(x+2*width, y3, width, color=list(plt.rcParams['axes.prop_cycle'])[2]['color'])
  23. # 第四张图
  24. for i in list(plt.rcParams['axes.prop_cycle']):
  25. xy = np.random.normal(size=2)
  26. ax4.add_patch(plt.Circle(xy, radius=0.3, color=i['color']))
  27. ax4.axis('equal')
  28.  
  29. plt.show()
  30. # 注:plt.rcParams['axes.prop_cycle']是一个七种颜色的迭代器
  31. # list之后是[{'color':'#ff7f0e', ... },...],再根据位置和键'color'取值
  1. # print(plt.style.available)# 23种样式可供选择
  2. plot(style='dark_background')
  3. plot(style='ggplot')
  4. plot(style='fivethirtyeight')

六、极坐标绘制

  1. r = np.arange(1, 6, 1)
  2. theta = [0, np.pi/2, np.pi, np.pi*3/2, 2*np.pi]
  3. ax = plt.subplot(111, projection='polar')# 投影到极坐标
  4. ax.plot(theta, r, color='r', linewidth=3)
  5. plt.show()
  1. r = np.empty(5)
  2. r.fill(5)
  3. theta = [0, np.pi/2, np.pi, np.pi*3/2, 2*np.pi]
  4. ax = plt.subplot(111, projection='polar')
  5. ax.plot(theta, r, color='r', linewidth=3)
  6. plt.show()
  1. r = [10.0, 8.0, 6.0, 8.0, 9.0, 5.0, 9.0]
  2. theta = [(np.pi*2/6)*i for i in range(7)]
  3. ax = plt.subplot(111, projection='polar')
  4. bars = ax.bar(theta, r, linewidth=2)
  5. for color, bar in zip(list(plt.rcParams['axes.prop_cycle']), bars):
  6. bar.set_facecolor(color['color'])
  7. bar.set_alpha(0.7)
  8. ax.set_theta_direction(1)#方向,1表示顺时针,2表示逆时针
  9. ax.set_theta_zero_location('N')#极坐标0位置,默认是横坐标,可设置八个方向N,NW,W,SW,S,SE,E,NE
  10. ax.set_thetagrids(np.arange(0.0, 360.0, 30.0))#外圈网格线刻度
  11. ax.set_rgrids(np.arange(1.0, 10.0, 1.0))#内网格线虚线数
  12. ax.set_rlabel_position('')#内网格线坐标标签的位置,相对于0坐标轴
  13. plt.show()

七、综合练习

  1、积分图形

  1. def func(x):
  2. return -(x-2)*(x-8) + 40
  3. x = np.linspace(0, 10)
  4. y = func(x)
  5. fig, ax = plt.subplots()
  6. plt.style.use('ggplot')
  7. plt.plot(x, y, 'r', linewidth=1)
  8. # 添加a, b
  9. a, b =2, 9
  10. ax.set_xticks([a, b])
  11. ax.set_yticks([])
  12. ax.set_xticklabels([r'$a$', r'$b$'])
  13. # 添加坐标标签
  14. plt.figtext(0.9, 0.02, r'$x$')
  15. plt.figtext(0.05, 0.9, r'$y$')
  16. # 设置N*2的array,用Polygon包起来
  17. ix = np.linspace(a, b);iy = func(ix);ixy = zip(ix, iy)
  18. verts=[(a, 0)] + list(ixy) + [(b, 0)]
  19. from matplotlib.patches import Polygon
  20. poly = Polygon(verts, facecolor='0.9', edgecolor='0.1')#'0.9'表示默认是灰色的,调整灰色程度
  21. ax.add_patch(poly)
  22.  
  23. x_math=(a+b)*0.5;y_math=35
  24. plt.text(x_math, y_math, r'$ \int_a^b (-(x-2)*(x-8) + 40) dx $', fontsize=20,
  25. horizontalalignment='center')
  26. ax.set_ylim([25, 50])
  27. plt.show()

  2、散点和条形图

  1. x = np.random.randn(200);y = x+np.random.randn(200)*1.0
  2. #left, bottom, width, height
  3. ax1 = plt.axes([0.1, 0.1, 0.6, 0.6])
  4. ax2 = plt.axes([0.1, 0.1+0.6+0.02, 0.6, 0.2])
  5. ax3 = plt.axes([0.1+0.6+0.02, 0.1, 0.2, 0.6])
  6. ax2.set_xticks([])
  7. ax3.set_yticks([])
  8. xymax = np.max([np.max(np.fabs(x)), np.max(np.fabs(y))])
  9.  
  10. ax1.scatter(x, y)
  11. bin_width = 0.25
  12. lim = np.ceil(xymax/bin_width) * bin_width
  13. bins = np.arange(-lim, lim, bin_width)
  14. ax2.hist(x, bins=bins)
  15. ax3.hist(y, bins=bins, orientation='horizontal')
  16. ax2.set_xlim(ax2.get_xlim())
  17. ax3.set_ylim(ax3.get_ylim())
  18. plt.show()

    

  3、雷达图

  1. from matplotlib.font_manager import FontProperties
  2. font = FontProperties(fname=r'c:/Windows/Fonts/simsun.ttc', size=18)
  3. plt.style.use('ggplot')
  4. ax1 = plt.subplot(221, projection='polar')
  5. ax2 = plt.subplot(222, projection='polar')
  6. ax3 = plt.subplot(223, projection='polar')
  7. ax4 = plt.subplot(224, projection='polar')
  8.  
  9. ability = ['进攻', '防守', '盘带', '速度', '体力', '射术']
  10. playerName = ['M', 'H', 'P', "Q"]
  11. playerData = {}
  12. for i in range(4):
  13. data = list(np.random.randint(size=6, low=60, high=99))
  14. l = [j for j in data];l.append(data[0])
  15. playerData[playerName[i]] = l
  16. theta = [(2*np.pi/6)*i for i in range(7)]
  17.  
  18. ax1.plot(theta, playerData['M'], 'r')
  19. ax1.fill(theta, playerData['M'], 'r', alpha=0.2)
  20. ax1.set_xticks(theta)
  21. ax1.set_xticklabels(ability, FontProperties=font, y=0.3)
  22. ax1.set_title('梅西', position=(0.5, 0.4), FontProperties=font)
  23. ax1.set_yticks([60, 80, 100])
  24. ax2.plot(theta, playerData['H'], 'g')
  25. ax2.fill(theta, playerData['H'], 'g', alpha=0.2)
  26. ax2.set_xticks(theta)
  27. ax2.set_xticklabels(ability, FontProperties=font, y=0.3)
  28. ax2.set_title('哈维', position=(0.5, 0.4), FontProperties=font)
  29.  
  30. ax3.plot(theta, playerData['P'], 'b')
  31. ax3.fill(theta, playerData['P'], 'b', alpha=0.2)
  32. ax3.set_xticks(theta)
  33. ax3.set_xticklabels(ability, FontProperties=font, y=0.3)
  34. ax3.set_title('皮克', position=(0.5, 0.4), FontProperties=font)
  35.  
  36. ax4.plot(theta, playerData['Q'], 'y')
  37. ax4.fill(theta, playerData['Q'], 'y', alpha=0.2)
  38. ax4.set_xticks(theta)
  39. ax4.set_xticklabels(ability, FontProperties=font, y=0.3)
  40. ax4.set_title('切赫', position=(0.5, 0.4), FontProperties=font)
  41. plt.show()

     

  4、函数曲线

    Figure的几个参数:
      num         图形
      figsize     尺寸
          dpi         每英寸点数分辨率
          facecolor   绘画背景颜色
          edgecolor   绘制背景周围的边缘颜色
          frameon     是否绘制图形框

  1. import numpy as np
  2. import matplotlib.pyplot as plt
  3.  
  4. plt.figure(figsize=(10,6),dpi=80)
  5.  
  6. X = np.linspace(-np.pi,np.pi,256,endpoint=True)
  7. C,S = np.cos(X),np.sin(X)
  8.  
  9. #设置数据线
  10. plt.plot(X,C,color='blue',lw=2.5,ls='-',label='cosine')#设置数据线
  11. plt.plot(X,S,color='red',lw=2.5,ls='-',label='sine')
  12. # plt.xlim(X.min()*1.1,X.max()*1.1)#这里一直报错,不知道为什么
  13. # plt.ylim(C.min()*1.1,X.max()*1.1)
  14.  
  15. #设置坐标刻度和刻度标签
  16. # plt.xticks([-np.pi,-np.pi/2,0,np.pi/2,np.pi]) #设置x,y坐标
  17. # plt.yticks([-1,0,+1])
  18. plt.xticks([-np.pi,-np.pi/2,0,np.pi/2,np.pi],[r'$-\pi$',r'$-\pi/2$',r'$0$',r'$+\pi/2$',r'$+\pi$'])
  19. plt.yticks([-1,0,+1],[r'$-1$',r'$0$',r'$+1$'])
  20.  
  21. #设置坐标轴
  22. ax = plt.gca() #gca是用来回去当前axes(坐标图)和修改权限:get current axes(handle)
  23. ax.spines['top'].set_color('none') #设置上、右脊骨(数据框)
  24. ax.spines['right'].set_color('None')
  25. ax.spines['left'].set_position(('data',0)) #左、下数据轴,(data’,0)表示以原坐标轴为轴,以0为中心点
  26. ax.spines['bottom'].set_position(('data',0))
  27. ax.yaxis.set_ticks_position('left') #这两个才是设置坐标轴,但是在这里删掉都可以
  28. ax.xaxis.set_ticks_position('bottom')
  29.  
  30. #设置图例
  31. plt.legend(loc='upper left',frameon=False)#需在plt.plot中设置label
  32.  
  33. #设置注释
  34. t = 2*np.pi/3
  35. # t1 = np.sin(t)
  36. plt.scatter([t,],[np.sin(t),],50,color='red') #设置注释点位置、颜色
  37. plt.plot([t,t],[0,np.sin(t)],color="red",linewidth=1.5,linestyle="--") #设置两条虚线
  38. plt.plot([0,t],[np.sin(t),np.sin(t)],color="red",linewidth=1.5,linestyle="--")
  39. plt.annotate(r'$\sin(\frac{2\pi}{3})=\frac{\sqrt{3}}{2}$',
  40. xy=(t,np.sin(t)),xycoords='data',xytext=(+10,+50),
  41. textcoords='offset points',fontsize=16,
  42. arrowprops=dict(arrowstyle='->',connectionstyle='arc3,rad=.2')) #设置注释
  43. plt.scatter([t,],[np.cos(t),],50,color='blue')
  44. plt.plot([t,t],[0,np.cos(t)],color='blue',linewidth=1.5,linestyle='--')
  45. plt.plot([0,t],[np.cos(t),np.cos(t)],color='blue',lw=1.5,ls='--')
  46. plt.annotate(r'$\cos(\frac{2\pi}{3})=-\frac{1}{2}$',
  47. xy=(t,np.cos(t)),xycoords='data',xytext=(-90,-50),
  48. textcoords='offset points',fontsize=16,
  49. arrowprops=dict(arrowstyle='->',connectionstyle='arc3,rad=.2'))
  50.  
  51. #设置坐标轴和数据线重合处的显示
  52. for label in ax.get_xticklabels()+ax.get_yticklabels():
  53. label.set_fontsize(16)
  54. label.set_bbox(dict(facecolor='white',edgecolor='None',alpha=0.65))
  55. #保存图形
  56. # plt.savefig('.../figures/subplot-horizontal.png',dpi=64)
  57. plt.show()

    

python模块之matplotlib的更多相关文章

  1. python 1: 解决linux系统下python中的matplotlib模块内的pyplot输出图片不能显示中文的问题

    问题: 我在ubuntu14.04下用python中的matplotlib模块内的pyplot输出图片不能显示中文,怎么解决呢? 解决: 1.指定默认编码为UTF-8: 在python代码开头加入如下 ...

  2. 使用Python的pandas模块、mplfinance模块、matplotlib模块绘制K线图

    目录 pandas模块.mplfinance模块和matplotlib模块介绍 pandas模块 mplfinance模块和matplotlib模块 安装mplfinance模块.pandas模块和m ...

  3. python pip install matplotlib安装模块

    python pip install matplotlib安装模块,可附带安装相关的模块 程序运行提示: from . import _imaging as coreImportError: DLL ...

  4. python模块介绍- multi-mechanize 性能测试工具

    python模块介绍- multi-mechanize 性能测试工具 2013-09-13 磁针石 #承接软件自动化实施与培训等gtalk:ouyangchongwu#gmail.comqq 3739 ...

  5. 50个很棒的Python模块

    50个很棒的Python模块 我很喜欢Python,Python具有强大的扩展能力,我列出了50个很棒的Python模块,包含几乎所有的需要:比如Databases,GUIs,Images, Soun ...

  6. python︱模块加载(pip安装)以及pycharm安装与报错解决方式

    每每以为攀得众山小,可.每每又切实来到起点,大牛们,缓缓脚步来俺笔记葩分享一下吧,please~ --------------------------- 准备放下R开始学python,真是痛苦,因为找 ...

  7. python模块大全

    python模块大全2018年01月25日 13:38:55 mcj1314bb 阅读数:3049 pymatgen multidict yarl regex gvar tifffile jupyte ...

  8. python开发_常用的python模块及安装方法

    adodb:我们领导推荐的数据库连接组件bsddb3:BerkeleyDB的连接组件Cheetah-1.0:我比较喜欢这个版本的cheetahcherrypy:一个WEB frameworkctype ...

  9. [转]50个很棒的Python模块

    转自:http://www.cnblogs.com/foxhengxing/archive/2011/07/29/2120897.html Python具有强大的扩展能力,以下列出了50个很棒的Pyt ...

随机推荐

  1. “全栈2019”Java第六十一章:如何实现接口?

    难度 初级 学习时间 10分钟 适合人群 零基础 开发语言 Java 开发环境 JDK v11 IntelliJ IDEA v2018.3 文章原文链接 "全栈2019"Java第 ...

  2. Spring Boot 多数据源自动切换

    在Spring Boot中使用单数据源的配置很简单,我们简单回忆下:只需要在application.properties进行基本的连接配置,在pom.xml引入基本的依赖即可. 那么多数据源的原理呢? ...

  3. leecode刷题(9)-- 有效的数独

    leecode刷题(9)-- 有效的数独 有效的数独 描述: 判断一个 9x9 的数独是否有效.只需要根据以下规则,验证已经填入的数字是否有效即可. 数字 1-9 在每一行只能出现一次. 数字 1-9 ...

  4. unity里的c#

    类方法:start只进行一次,update每一帧都会进行调用 拖动脚步到对应物体就可以将其关联 定义变量与c++相似 F2修改文件名 脚本的类名要与文件名保持一致 数组的定义:1.类型[] 数组名={ ...

  5. es-curl 查询与更新

    1,封装http方法 private function http($url, $data = NULL, $json = false) { unset($res,$curl,$errorno); $c ...

  6. if else 和 or 的新用法

    a = 1b = 2c = a if a > b else b print(c)print(id(c))print(id(b)) 条件为真返回前面的为假返回后面的 a = 0 b = 2 c = ...

  7. js控制输入框只能输入数字不能输入其他字符

    <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8&quo ...

  8. IDEA通过Maven WebApp archetype 创建Spring boot项目骨架

    springboot项目资源: GitHub地址:https://github.com/TisFreedom/springbootdome.git 码云地址:https://gitee.com/Tis ...

  9. sqlalchemy 常用总结

    mysql-5.7安装 https://blog.csdn.net/since_1904/article/details/70233403 flask-sqlalchemy教程 http://www. ...

  10. 九校联考(DL24凉心模拟) 整除(中国剩余定理+原根性质)

    题意简述 给定 \(n, m\),求 \(n|x^m - x\) 在满足 \(x \in [1, n]\) 时合法的 \(x\) 的数量.答案模 \(998244353\).单个测试点包含多组数据. ...