Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Visualizing a multivariate normal distribution with numpy and matplotlib in 3 Dimensions

Tags:

I am trying to visualise a multivariate normal distribution with matplotlib. I would like to produce something like this:

enter image description here

I use the following code:

from mpl_toolkits import mplot3d
x = np.linspace(-1, 3, 100)
y = np.linspace(0, 4, 100)
X, Y = np.meshgrid(x, y)
Z = np.random.multivariate_normal(mean = [1, 2], cov = np.array([[0.5, 0.25],[0.25, 0.50]]), size = 100000)
ax = plt.axes(projection='3d')
ax.plot_surface(X, Y, Z, rstride=1, cstride=1,
                cmap='viridis', edgecolor='none')
ax.set_title('surface');

But I get the following error message:

...
      7 ax.plot_surface(X, Y, Z, rstride=1, cstride=1,
----> 8                 cmap='viridis', edgecolor='none')
...
ValueError: shape mismatch: objects cannot be broadcast to a single shape

What is the reason of the error and how my code could be corrected?

like image 273
user8270077 Avatar asked Jan 26 '18 16:01

user8270077


1 Answers

In the past I have done this with scipy.stats.multivariate_normal, specifically using the pdf method to generate the z values. As @Piinthesky pointed out the numpy implementation returns the x and y values for a given distribution. An example using the spicy version would be (another can be found in (Python add gaussian noise in a radius around a point [closed]):

from mpl_toolkits import mplot3d
import matplotlib.pyplot as plt
from scipy.stats import multivariate_normal
x = np.linspace(-1, 3, 100)
y = np.linspace(0, 4, 100)
X, Y = np.meshgrid(x, y)
pos = np.dstack((X, Y))
mu = np.array([1, 2])
cov = np.array([[.5, .25],[.25, .5]])
rv = multivariate_normal(mu, cov)
Z = rv.pdf(pos)
fig = plt.figure()
ax = fig.add_subplot(111, projection='3d')
ax.plot_surface(X, Y, Z)
fig.show()

enter image description here

like image 110
Grr Avatar answered Sep 23 '22 12:09

Grr