The coding below is my code. I would like to label the axis after it print all the data and the mark for each data. I don’t know why the label name only display at the begin.
JavaScript
x
24
24
1
from mpl_toolkits.mplot3d import axes3d
2
import matplotlib.pyplot as plt
3
import numpy as np
4
import matplotlib.animation as animation
5
6
np.set_printoptions(threshold=np.inf)
7
fig = plt.figure()
8
ax1 = fig.add_subplot(111, projection='3d')
9
10
def init():
11
global points
12
points = np.loadtxt('Surface.txt')
13
14
def animate(i):
15
ax1.clear()
16
ax1.plot(points[:i, 0], points[:i, 1], points[:i, 2])
17
18
ani = animation.FuncAnimation(fig, animate, init_func=init, interval = 1000)
19
ax1.set_xlabel('x')
20
ax1.set_ylabel('y')
21
ax1.set_zlabel('z')
22
23
plt.show()
24
The content of the Surface.txt is
JavaScript
1
7
1
0 0 3
2
1 1 4
3
2 4 8
4
4 16 6
5
5 25 5
6
6 36 3
7
Advertisement
Answer
You can accomplish that by also adding the set_label
commands inside the def animate()
function like this
JavaScript
1
7
1
def animate(i):
2
ax1.clear()
3
ax1.plot(points[:i, 0], points[:i, 1], points[:i, 2])
4
ax1.set_xlabel('x')
5
ax1.set_ylabel('y')
6
ax1.set_zlabel('z')
7
So the final program will look like shown below :
JavaScript
1
27
27
1
from mpl_toolkits.mplot3d import axes3d
2
import matplotlib.pyplot as plt
3
import numpy as np
4
import matplotlib.animation as animation
5
6
np.set_printoptions(threshold=np.inf)
7
fig = plt.figure()
8
ax1 = fig.add_subplot(111, projection='3d')
9
10
def init():
11
global points
12
points = np.loadtxt('Surface.txt')
13
14
def animate(i):
15
ax1.clear()
16
ax1.plot(points[:i, 0], points[:i, 1], points[:i, 2])
17
ax1.set_xlabel('x')
18
ax1.set_ylabel('y')
19
ax1.set_zlabel('z')
20
21
ani = animation.FuncAnimation(fig, animate, init_func=init, interval = 1000)
22
ax1.set_xlabel('x')
23
ax1.set_ylabel('y')
24
ax1.set_zlabel('z')
25
26
plt.show()
27