(笔记)
#先导如numpy和matplotlib的pyplot
import numpy as np
import matplotlib.pyplot as plt
#linspace参数分别表示从0到10平均分成100块
x = np.linspace(0, 10, 100)
#print (x)
#一个正弦函数
y = np.sin(x)
#print(y)
plt.plot(x, y)
plt.show()
这是我们最终得到的结果图
data:image/s3,"s3://crabby-images/b3fa5/b3fa58299634d5520f55c78a6f7f57f7fc7588c0" alt=""
plt.show这一步是最后渲染生成图的步骤,在此前可以添加其他操作来丰富结果,
比如我们可以在这上面在生成一个余弦函数(改了下变量名,方便记忆)
import numpy as np
import matplotlib.pyplot as plt
#linspace参数分别表示从0到10平均分成100块
x = np.linspace(0, 10, 100)
#print (x)
#一个正弦函数
sinx = np.sin(x)
cosx = np.cos(x)
#print(sinx)
plt.plot(x, sinx)
plt.plot(x,cosx)
plt.show()
得到下图
data:image/s3,"s3://crabby-images/cec4b/cec4b774c343d73ff37ba89489668aa3c5fcfe24" alt=""
我们还可以改变线条的默认颜色
在后面添加 color参数 plt.plot(x,cosx,color = 'red')
data:image/s3,"s3://crabby-images/7511d/7511d83b0fcdf88fec6f81502e1bfac8dd1c5f35" alt=""
关于color参数:[https://matplotlib.org/2.0.2/api/colors_api.html]
还可以添加参数linestyle来改变线条的样式
plt.plot(x, cosx, color="red", linestyle="--")
data:image/s3,"s3://crabby-images/afd9e/afd9e0780705da7e00d186fbe50c63cc5e0128c8" alt=""
关于linestyle参数:[https://matplotlib.org/devdocs/gallery/lines_bars_and_markers/line_styles_reference.html]
还可以通过plt.axis来控制x,y轴的范围
plt.axis([-1, 12, -2, 2])
四个参数分别表示x起始点,x终止点,y起始点,y终止点
data:image/s3,"s3://crabby-images/210bb/210bb83f5c72ff88c0a44ded5a6ed727a23945a7" alt=""
还可以通过添加lable,title标签来为结果图怎加说明
plt.xlabel("x axis")
plt.ylabel("y value")
plt.title('welcome to matplotlib')
data:image/s3,"s3://crabby-images/b28da/b28da1791b79205e3b389210bd7c34fdd015dbf9" alt=""
我们还可以通过给plt.plot添加label参数来给不同的曲线生成说明
plt.plot(x, sinx,label="sin(x)")
plt.plot(x, cosx, color="red", linestyle="--",label ="cos(x)")
data:image/s3,"s3://crabby-images/3ca81/3ca8163caac1df015a1496e0ccc52738f5bad9e2" alt=""
除了上述的折线图,我们还可以用matplotlib生成散点图(Scatter Plot),写法基本一致
import numpy as np
import matplotlib.pyplot as plt
x = np.linspace(0, 10, 100)
sinx = np.sin(x)
cosx = np.cos(x)
plt.scatter(x, sinx)
plt.scatter(x, cosx)
plt.show()
data:image/s3,"s3://crabby-images/15592/15592d60cb5d414b438b0b70017c35d3cf209a53" alt=""
还是一样可以添加上述那些参数,和方法来丰富生成的图
一个比较常用的散点图例子--高斯分布
import numpy as np
import matplotlib.pyplot as plt
#三个参数分别表示均值,方差,和生成点的个数
x = np.random.normal(0, 1, 10000)
y = np.random.normal(0, 1, 10000)
plt.scatter(x, y)
plt.show()
data:image/s3,"s3://crabby-images/5ee10/5ee10242222aa3e889168e414385a49f1e366369" alt=""
我们也可以通过修改透明度来更好的理解高斯分布的特性(越往中间越密集)
plt.scatter(x, y, alpha=0.1)
data:image/s3,"s3://crabby-images/f5d6a/f5d6aa7692eb3157dd64f2f8a2238f2728aaf0e0" alt=""
网友评论