[1]Python 中用 matplotlib 繪製熱點圖(heat map)

周小董發表於2019-02-13
import numpy as np
 
# 高斯分佈
mean = [0,0]
cov = [[0,1],[1,0]]
x, y = np.random.multivariate_normal(mean, cov, 10000).T
  • 使用NumPy 的 histogram2d 函式
from matplotlib import pyplot as plt

hist, xedges, yedges = np.histogram2d(x,y)
X,Y = np.meshgrid(xedges,yedges)
plt.imshow(hist)
plt.grid(True)
plt.colorbar()
plt.show()

image.png

改變插值方法:

plt.imshow(hist, interpolation='nearest')
plt.grid(True)
plt.colorbar()
plt.show()

image.png

  • 使用 matplotlib 的 hist2d 函式
plt.hist2d(x, y, bins=10)
plt.colorbar()
plt.grid()
plt.show()

image.png

改變bin大小:

plt.hist2d(x, y, bins=40)
plt.colorbar()
plt.grid()
plt.show()

image.png

  • 使用 matplotlib 的 pcolor 函式
plt.pcolor(hist)
plt.colorbar()
plt.grid()
plt.show()

image.png

  • 使用 matplotlib 的 matshow 函式
import numpy as np
import matplotlib.pyplot as plt
 
columns = ['A', 'B', 'C', 'D']
rows = ['1', '2', '3', '4']
 
data = np.random.random((4,4))
 
fig = plt.figure()
 
ax = fig.add_subplot(111)
 
cax = ax.matshow(data, interpolation='nearest')
fig.colorbar(cax)
 
ax.set_xticklabels([''] + columns)
ax.set_yticklabels([''] + rows)
 
plt.show()

image.png

  • 使用不同的顏色

可用顏色在http://wiki.scipy.org/Cookbook/Matplotlib/Show_colormaps這裡

from math import ceil
import numpy as np
 
# 高斯分佈
mean = [0,0]
cov = [[0,1],[1,0]]
x, y = np.random.multivariate_normal(mean, cov, 10000).T
 
 
size = len(plt.cm.datad.keys())
all_maps = list(plt.cm.datad.keys())
 
fig, ax = plt.subplots(ceil(size/4), 4, figsize=(12,100))
 
counter = 0
for row in ax:
    for col in row:
        try:
            col.imshow(hist, cmap=all_maps[counter])
            col.set_title(all_maps[counter])
        except IndexError:
           break
        counter += 1
 
plt.tight_layout()
plt.show()

image.png

來源:http://blog.topspeedsnail.com/archives/707#more-707

相關文章