动手学Matplotlib画图,Matplotlib 是一个非常强大的 Python 画图工具。【Matplotlib学习笔记】

一、第一章

1.基本用法

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,1,50)
y = 2*x + 1
plt.plot(x,y)
plt.show()

在这里插入图片描述

2.figure图像

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,1,50)
y1 = 2*x + 1
y2 = x**2
plt.figure()
plt.plot(x,y1)
plt.figure()
#plt.figure(num= ,figsize(长,宽))
plt.plot(x,y2)
plt.show()

在这里插入图片描述

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,1,50)
y1 = 2*x + 1
y2 = x**2
plt.figure()
plt.plot(x,y1)
plt.figure()
plt.plot(x,y2)
plt.plot(x,y1,color='red',linewidth=1.0,linestyle='--')
plt.show()

在这里插入图片描述

3.设置坐标轴1

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,1,50)
y1 = 2*x + 1
y2 = x**2
plt.figure()
plt.plot(x,y2)
plt.plot(x,y1,color='red',linewidth=1.0,linestyle='--')
#取值范围
plt.xlim((-1,2))
plt.ylim((-2,3))
plt.xlabel("I am X")
plt.ylabel("I am Y")
new_ticks = np.linspace(-1,2,5)
print(new_ticks)
plt.xticks(new_ticks)
plt.yticks([-2,-1.8,-1,1.2,3],[r"$really\ bad$",r"$bad\ \alpha$",r"$normal$",r"$good$",r"$really\ good$"])
plt.show()

在这里插入图片描述

4.设置坐标轴2

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,1,50)
y1 = 2*x + 1
y2 = x**2
plt.figure()
plt.plot(x,y2)
plt.plot(x,y1,color='red',linewidth=1.0,linestyle='--')
#取值范围
plt.xlim((-1,2))
plt.ylim((-2,3))
plt.xlabel("I am X")
plt.ylabel("I am Y")
new_ticks = np.linspace(-1,2,5)
print(new_ticks)
plt.xticks(new_ticks)
plt.yticks([-2,-1.8,-1,1.2,3],[r"$really\ bad$",r"$bad\ \alpha$",r"$normal$",r"$good$",r"$really\ good$"])
#gc = 'get current axis'
ax = plt.gca()
#设置框架(上下左右的线条)
ax.spines['right'].set_color('none')
ax.spines['top'].set_color('none')
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
ax.spines['bottom'].set_position(('data',0))
ax.spines['left'].set_position(('data',0))
plt.show()

在这里插入图片描述

5.legend图例

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-1,3,50)
y1 = 2*x + 1
y2 = x**2
plt.figure()#取值范围
plt.xlim((-1,3))
plt.ylim((-2,3))
plt.xlabel("I am X")
plt.ylabel("I am Y")new_ticks = np.linspace(-1,3,5)
print(new_ticks)
plt.xticks(new_ticks)
plt.yticks([-2,-1.8,-1,1.2,3],[r"$really\ bad$",r"$bad\ \alpha$",r"$normal$",r"$good$",r"$really\ good$"])l1,=plt.plot(x,y2,label='up')
l2,=plt.plot(x,y1,color='red',linewidth=1.0,linestyle='--',label='down')
plt.legend(handles=[l1,l2],labels=['a','b'],loc='best')plt.show()

在这里插入图片描述

6.Annotation标注

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-3,3,50)
y = 2*x + 1
plt.figure(num=1,figsize=(8,5))
plt.plot(x,y)#gc = 'get current axis'
ax = plt.gca()
#设置框架(上下左右的线条)
ax.spines['right'].set_color('none')
ax.spines['top'].set_color('none')
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
ax.spines['bottom'].set_position(('data',0))
ax.spines['left'].set_position(('data',0))#添加点
x0 = 1
y0 = 2*x0 + 1
plt.scatter(x0,y0,s=50,color='b')
#添加虚线
plt.plot([x0,x0],[y0,0],'k--',lw=2.5)
#Annotation,method1:
plt.annotate(r'$2x+1=%s$'%y0,xy=(x0,y0),xycoords='data',xytext=(+30,-30),textcoords='offset points',fontsize=16,arrowprops=dict(arrowstyle='->',connectionstyle='arc3,rad=.2'))
#Annotation,method2:
plt.text(-3.7,3,r'$This\ is\ the\ some\ text. \mu\ \sigma_i\ \alpha_t$',fontdict={'size':16,'color':'r'})plt.show()

在这里插入图片描述

7.tick能见度

import matplotlib.pyplot as plt
import numpy as npx = np.linspace(-3,3,50)
y = 0.1 * x
plt.figure()
plt.plot(x,y,linewidth=10)
plt.ylim(-2,2)
#gc = 'get current axis'
ax = plt.gca()
#设置框架(上下左右的线条)
ax.spines['right'].set_color('none')
ax.spines['top'].set_color('none')
ax.spines['top'].set_color('none')
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
ax.spines['bottom'].set_position(('data',0))
ax.spines['left'].set_position(('data',0))
for label in ax.get_xticklabels() + ax.get_yticklabels():label.set_fontsize(12)label.set_bbox(dict(facecolor='white',edgecolor='None',alpha=0.7))plt.show()

在这里插入图片描述

二、第二章

1.散点图

import numpy as np
import matplotlib.pyplot as pltn = 1024
X = np.random.normal(0,1,n)
Y = np.random.normal(0,1,n)
T = np.arctan2(Y,X) #设置颜色
plt.scatter(X,Y,c=T,s=75,alpha=0.5)
plt.xlim(-1.5,1.5)
plt.ylim(-1.5,1.5)
plt.xticks(())
plt.yticks(())
plt.show()

在这里插入图片描述

2.柱状图

import matplotlib.pyplot as plt
import numpy as npn = 12
X = np.arange(n)
Y1 = (1-X/float(n)) * np.random.uniform(0.5,1.0,n)
Y2 = (1-X/float(n)) * np.random.uniform(0.5,1.0,n)
#向上
plt.bar(X,+Y1,facecolor='#9999ff',edgecolor='white')
#向下
plt.bar(X,-Y2,facecolor='#ff9999',edgecolor='white')
#加数字
for x,y in zip(X,Y1):#ha:横向对齐方式;va:纵向对齐方式plt.text(x + 0.4,y+0.05,'%.2f'%y,ha='center',va='bottom')
for x,y in zip(X,Y2):#ha:横向对齐方式;va:纵向对齐方式plt.text(x + 0.4,-y-0.05,'-%.2f'%y,ha='center',va='top')
plt.xlim(-5,n)
plt.xticks(())
plt.ylim(-1.25,1.25)
plt.yticks(())
plt.show()

在这里插入图片描述

3.等高线图

import matplotlib.pyplot as plt
import numpy as np
def f(x,y):#计算高度的方法return (1 - x/2 + x**5 + y**3)*np.exp(-x**2-y**2)n = 256
x = np.linspace(-3,3,n)
y = np.linspace(-3,3,n)
X,Y = np.meshgrid(x,y) #构建坐标网络
#创建轮廓图,alpha为轮廓透明度,cmap为轮廓颜色映射
plt.contour(X,Y,f(X,Y),8,alpha=0.75,cmap=plt.cm.hot)
#画等高线
C = plt.contour(X,Y,f(X,Y),8,colors='black',linewidth=.5)
plt.clabel(C,inline = True,fontsize=10)
plt.xticks(())
plt.yticks(())
plt.show()

在这里插入图片描述

4.Image图片

import matplotlib.pyplot as plt
import numpy as np
# 图片数据
a = np.array([0.313660827978, 0.365348418405, 0.423733120134,0.365348418405, 0.439599930621, 0.525083754405,0.423733120134, 0.525083754405, 0.651536351379]).reshape(3,3)
"""
for the value of "interpolation", check this:
http://matplotlib.org/examples/images_contours_and_fields/interpolation_methods.html
for the value of "origin"= ['upper', 'lower'], check this:
http://matplotlib.org/examples/pylab_examples/image_origin.html
"""
plt.imshow(a, interpolation='nearest', cmap='bone', origin='lower')
#颜色条
plt.colorbar(shrink=.92)
plt.xticks(())
plt.yticks(())
plt.show()

在这里插入图片描述

5.3D数据

import numpy as np
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D #导入3D包
fig = plt.figure() #窗口
#ax = Axes3D(fig) #显示不出来
ax = fig.add_axes(Axes3D(fig)) # 替代上行代码
# X, Y 数组
X = np.arange(-4, 4, 0.25)
Y = np.arange(-4, 4, 0.25)
X, Y = np.meshgrid(X, Y)
R = np.sqrt(X ** 2 + Y ** 2)
# height value
Z = np.sin(R)
#画在ax上,rstride、cstride跨度(行列),
ax.plot_surface(X, Y, Z, rstride=1, cstride=1, cmap=plt.get_cmap('rainbow'))
# 等高线
ax.contourf(X, Y, Z, zdir='z', offset=-2, cmap=plt.get_cmap('rainbow'))
#高度范围
ax.set_zlim(-2, 2)
plt.show()

在这里插入图片描述

三、第三章

1.Subplot多合一显示

import matplotlib.pyplot as plt
#练习1
plt.figure(figsize=(6, 4))
# 两行两列,第一张图
plt.subplot(2, 2, 1)
#x,y的坐标
plt.plot([0, 1], [0, 1])
# 两行两列,第二张图
plt.subplot(222)
plt.plot([0, 1], [0, 2])
# 两行两列,第三张图
plt.subplot(223)
plt.plot([0, 1], [0, 3])
# 两行两列,第四张图
plt.subplot(224)
plt.plot([0, 1], [0, 4])plt.tight_layout()# 练习2:
plt.figure(figsize=(6, 4))
# 两行,第一列的图占了3格
plt.subplot(2, 1, 1)
plt.plot([0, 1], [0, 1])
# 两行,第二列的第一个图
plt.subplot(234)
plt.plot([0, 1], [0, 2])
# 两行,第二列的第二个图
plt.subplot(235)
plt.plot([0, 1], [0, 3])
# 两行,第二列的第三个图
plt.subplot(236)
plt.plot([0, 1], [0, 4])plt.tight_layout()
plt.show()

在这里插入图片描述在这里插入图片描述

2.Subplot分格显示

import matplotlib.pyplot as plt
import matplotlib.gridspec as gridspec# 方法 1: subplot2grid
plt.figure()
#三行三列 从1行1列开始 ,跨度(列)是3
ax1 = plt.subplot2grid((3, 3), (0, 0), colspan=3)
ax1.plot([1, 2], [1, 2])
ax1.set_title('ax1_title')
#三行三列 从2行1列开始 ,跨度(列)是2
ax2 = plt.subplot2grid((3, 3), (1, 0), colspan=2)
#三行三列 从2行3列开始 ,跨度(行)是2
ax3 = plt.subplot2grid((3, 3), (1, 2), rowspan=2)
#三行三列 从3行1列开始
ax4 = plt.subplot2grid((3, 3), (2, 0))
ax4.scatter([1, 2], [2, 2])
ax4.set_xlabel('ax4_x')
ax4.set_ylabel('ax4_y')
#三行三列 从3行2列开始
ax5 = plt.subplot2grid((3, 3), (2, 1))# 方法 2: gridspec
plt.figure()
gs = gridspec.GridSpec(3, 3)
#第1行占所有列
ax6 = plt.subplot(gs[0, :])
#第2行,占了前2列
ax7 = plt.subplot(gs[1, :2])
#从2行开始到最后的行,第三列
ax8 = plt.subplot(gs[1:, 2])
#最后一行第一列
ax9 = plt.subplot(gs[-1, 0])
#最后一行,后两列
ax10 = plt.subplot(gs[-1, -2])# 方法 3: 共享X,Y轴
f, ((ax11, ax12), (ax13, ax14)) = plt.subplots(2, 2, sharex=True, sharey=True)
ax11.scatter([1,2], [1,2])plt.tight_layout()
plt.show()

在这里插入图片描述
在这里插入图片描述
在这里插入图片描述

3.图中图

import matplotlib.pyplot as pltfig = plt.figure()
x = [1, 2, 3, 4, 5, 6, 7]
y = [1, 3, 4, 2, 5, 8, 6]
#整个图的占比0.1=10%
left, bottom, width, height = 0.1, 0.1, 0.8, 0.8
#大图
ax1 = fig.add_axes([left, bottom, width, height])
ax1.plot(x, y, 'r')#红色
ax1.set_xlabel('x')
ax1.set_ylabel('y')
ax1.set_title('title')
#小图1
ax2 = fig.add_axes([0.2, 0.6, 0.25, 0.25])
ax2.plot(y, x, 'b')
ax2.set_xlabel('x')
ax2.set_ylabel('y')
ax2.set_title('title inside 1')
#小图2
plt.axes([0.6, 0.2, 0.25, 0.25])
plt.plot(y[::-1], x, 'g')
plt.xlabel('x')
plt.ylabel('y')
plt.title('title inside 2')plt.show()

在这里插入图片描述

4.次坐标轴

import matplotlib.pyplot as plt
import numpy as npx = np.arange(0, 10, 0.1)
y1 = 0.05 * x**2
y2 = -1 *y1
fig, ax1 = plt.subplots()
ax2 = ax1.twinx()    # 颠倒
ax1.plot(x, y1, 'g-')
ax2.plot(x, y2, 'b-')ax1.set_xlabel('X data')
ax1.set_ylabel('Y1 data', color='g')
ax2.set_ylabel('Y2 data', color='b')
plt.show()

在这里插入图片描述

5.Animation动画

import numpy as np
from matplotlib import pyplot as plt
from matplotlib import animation
fig, ax = plt.subplots()
x = np.arange(0, 2*np.pi, 0.01)
line, = ax.plot(x, np.sin(x))def animate(i):line.set_ydata(np.sin(x + i/10.0))return line,def init():line.set_ydata(np.sin(x))return line,
ani = animation.FuncAnimation(fig=fig, func=animate, frames=100, init_func=init,interval=20, blit=False)plt.show()

在这里插入图片描述

注意:图片其实是一个动画

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/184614.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Java http请求工具连接超时时间

研究了一下三种java常用的http请求工具框架hutool、okhttp3、spring RestTemplate 对于连接超时和读超时的处理机制。 运行环境 jdk8 windows 连接超时 hutool、okhttp3、spring RestTemplate 三种请求,底层使用的都是jdk里的java.net.DualStackPlainSocketImpl#…

Linux 安装 Nginx 并配置为系统服务(超详细)

目录 前言安装 Nginx安装依赖项下载Nginx解压Nginx编译和安装防火墙设置启动Nginx 配置 Nginx 为系统服务配置 Nginx 服务文件启动 Nginx 服务设置开机自启动检查 Nginx 状态停止 Nginx 服务重启 Nginx 服务 卸载 Nginx结语 前言 Nginx是一款卓越的高性能Web服务器&#xff0c…

概率论和数理统计(二) 数字特征与大数定律

前言 有了“概率”数据,怎么反应情况.数学期望与方差,大数,极限 数学期望 期望是数字特征之一,其描述的是随机试验在同样的机会下重复多次,所有那些可能状态的平均结果. 平均数和加权平均数 离散型随机变量期望 连续型随机变量期望 随机变量函数的期望 g ( x , …

Java EE进阶2

包如果下载不下来怎么办? 1,确认包是否存在 2.如果包存在就多下载几次 3.如果下载了很多次都下载不下来,看看是不是下面几步出现了问题? 1)是否配置了国内源 settings.xml 2)目录是否为全英文,存在中文的话就修改路径 3)删除本地仓库的 jar 包,重新下载(可能由于网络的原…

华为取消6000万订单影响在扩大,高通嘴硬强调不受影响

高通公布了2023年第三季度的业绩,业绩显示营收下滑24%,净利润下滑36%,不过高通强调预计今年四季度业绩将回升,意思是说华为取消订单带来的影响较小。 一、高通处境不利已延续4年时间 2019年美国对华为采取措施,众多中国…

04-react基础知识-路由

一、react路由环境安装 使用指令:npm i --save react-router-dom type/react-router-dom进行react路由环境安装 二、引入路由 在main.jsx文件中引入该语句: import { createBrowserRouter, RouterProvider } from react-router-dom 定义一个变量rou…

新登录接口独立版变现宝升级版知识付费小程序-多领域素材资源知识变现营销系统

源码简介: 资源入口 点击进入 源码亲测无bug,含前后端源码,非线传,修复最新登录接口 梦想贩卖机升级版,变现宝吸取了资源变现类产品的很多优点,摒弃了那些无关紧要的东西,使本产品在运营和变现…

四万字Spark性能优化宝典

导读 发现一篇好文,分享给大家。 全文分为四个部分,基本涵盖了所有Spark优化的点,全文较长,建议收藏后PC端查看或工作中问题troubleshooting。 《Spark性能优化:开发调优篇》 《Spark性能优化:资源调优…

重新审视对比特币的九大批评!有些已被揭穿,而有些担忧可能会发生?

近日富达(Fidelity)发布《重新审视持续存在的比特币批评》长篇报告,针对9种常见针对比特币的批评进行回应,希望促使旁观者看清一些先入为主的观念,以理解比特币完整的价值主张。 批评1:比特币波动性太大&am…

TensorFlow(1):深度学习的介绍

1 深度学习与机器学习的区别 学习目标:知道深度学习与机器学习的区别 区别:深度学习没有特征提取 1.1 特征提取方面 机器学习的特征工程步骤是要靠手动完成的,而且需要大量领域专业知识深度学习通常由多个层组成,它们通常将更简…

【漏洞复现】Apache_Shiro_1.2.4_反序列化漏洞(CVE-2016-4437)

感谢互联网提供分享知识与智慧,在法治的社会里,请遵守有关法律法规 文章目录 1.1、漏洞描述1.2、漏洞等级1.3、影响版本1.4、漏洞复现1、基础环境2、漏洞分析3、漏洞验证 说明内容漏洞编号CVE-2016-4437漏洞名称Apache_Shiro_1.2.4_反序列化漏洞漏洞评级…

【MongoDB】索引 - 单字段索引

MongoDB支持在集合文档中的任意字段上创建索引,默认情况下所有的集合都有一个_id字段的索引,用户和应用可以新增索引用于查询和操作。 一、准备工作 这里准备一些学生数据 db.students.insertMany([{ _id: 1, name: "张三", age: 20, clas…

JSP 学生成绩查询管理系统eclipse开发sql数据库serlvet框架bs模式java编程MVC结构

一、源码特点 JSP 学生成绩查询管理系统 是一套完善的web设计系统,对理解JSP java编程开发语言有帮助,比较流行的servlet框架系统具有完整的源代码和数据库,eclipse开发系统主要采用B/S模式 开发。 java 学生成绩查询管理系统 代码下载链接…

ABAP Json和对象的转换

se24新建类ZCL_JSON保存 点击修改,进入下图界面,点击红框。 复制粘贴下面代码 CLASS zcl_json DEFINITIONPUBLICCREATE PUBLIC .PUBLIC SECTION. *"* public components of class ZCL_JSON *"* do not include other source files here!!!TYP…

一杯子三变:揭秘vue单页应用(spa)与内容动态加载的奥秘

🎬 江城开朗的豌豆:个人主页 🔥 个人专栏 :《 VUE 》 《 javaScript 》 📝 个人网站 :《 江城开朗的豌豆🫛 》 ⛺️ 生活的理想,就是为了理想的生活 ! 目录 ⭐ 专栏简介 📘 文章引言 一、什…

视频转码教程:轻松制作GIF动态图,一键高效剪辑操作

随着社交媒体的兴起,GIF动态图已经成为了人们表达情感、分享精彩瞬间的重要方式。而将视频转化为GIF动态图,不仅可以方便地在社交媒体上分享,还可以延长视频的播放时长,吸引更多的观众。本篇文章将为大家介绍如何将视频轻松转化为…

RestTemplate配置和使用

在项目中,如果要调用第三方的http服务,就需要发起http请求,常用的请求方式:第一种,使用java原生发起http请求,这种方式不需要引入第三方库,但是连接不可复用,如果要实现连接复用&…

dgl安装教程

我在矩池云服务器上安装了一个dgl的环境,以后都可以用这个了 首先我的基础环境是 最终的版本如下 安装步骤如下 pip install dgl0.9.1 -f https://s3.us-west-2.amazonaws.com/dgl-data/wheels/cu113/repo.html注意不能直接使用 pip install dgl -f https://s…

51单片机-定时计数器

文章目录 前言1 原理2.编程 前言 1 原理 2.编程 定时计算: 50ms501000us 一个机器周期:1.085us 65535 - 501000/1.08546082 故 40082*1.08549998.97 /*定时器1,定时模式 工作模式1 16位计数器, 定时20秒后使能蜂鸣器*/ #include…

自定义element-ui plus 函数式调用,在API,js中直接使用全局组件

npm方式: npm install -D unplugin-vue-components unplugin-auto-import yarn 方式 : yarn add unplugin-vue-components; yarn add unplugin-auto-import; 使用官方的这个: vite.config.js中配置 plugins: [vue(),AutoImport({resolvers: [ElementPlusResolve…