Three Dimensional Visualization

Note

You can download this example as a Python script: visualization.py or Jupyter Notebook: visualization.ipynb.

from scipy.integrate import solve_ivp
import numpy as np
import sympy as sm
import sympy.physics.mechanics as me

In this chapter, I will give a basic introduction to creating three dimensional graphics to visualize the motion of your multibody system. There are many software tools for generating interactive three dimensional graphics from classic lower level tools like OpenGL to graphical user interfaces for drawing and animating 3D models like Blender [1]. We will use pythreejs which is a Python wrapper to the three.js Javascript library that is built on WebGL which is a low level graphics library similar to OpenGL but made to execute through your web browser. Check out the demos on three.js’s website to get an idea of how powerful the tool is for 3D visualizations in the web browser.

I will again use the example in Fig. 47. Here is the figure for that system:

_images/eom-double-rod-pendulum.svg

The following dropdown has all of the code to construct the model and simulate it with the time values ts and the state trajectories xs as the final output.

ts.shape, xs.shape
((200,), (200, 6))

pythreejs

pythreejs allows you to use three.js via Python. The functions and objects that pythreejs makes available are found in its documentation, but since these have a 1:1 mapping to the three.js code, you’ll also find more comprehensive information in the ThreeJS documentation. We will import pythreejs like so:

import pythreejs as p3js

pythreejs has many primitive geometric shapes, for example CylinderGeometry can be used to create cylinders and cones:

cyl_geom = p3js.CylinderGeometry(radiusTop=2.0, radiusBottom=10.0, height=50.0)
cyl_geom

The image above is interactive; you can use your mouse or trackpad to click, hold, and move the object.

If you want to apply a material to the surface of the geometry you create a Mesh which associates a Material with the geometry. For example, you can color the above cylinder like so:

red_material = p3js.MeshStandardMaterial(color='red')

cyl_mesh = p3js.Mesh(geometry=cyl_geom, material=red_material)

cyl_mesh

Creating a Scene

Here I create a new orange cylinder that is displaced from the origin of the scene and that has its own coordinate axes. AxesHelper creates simple X (red), Y (green), and Z (blue) affixed to the mesh. position is overridden to set the position.

cyl_geom = p3js.CylinderGeometry(radiusTop=0.1, radiusBottom=0.5, height=2.0)
cyl_material = p3js.MeshStandardMaterial(color='orange', wireframe=True)
cyl_mesh = p3js.Mesh(geometry=cyl_geom, material=cyl_material)
axes = p3js.AxesHelper()
cyl_mesh.add(axes)
cyl_mesh.position = (3.0, 3.0, 3.0)

Now we will create a Scene which can contain multiple meshes and other objects like lights, cameras, and axes. There is a fair amount of boiler plate code for creating the static scene. All of the objects should be added to the children= keyword argument of Scene. The last line creates a WebGLBufferRenderer that links the camera view to the scene and enables OrbitControls to allow zooming, panning, and rotating with a mouse or trackpad.

view_width = 600
view_height = 400

camera = p3js.PerspectiveCamera(position=[10.0, 10.0, 10.0],
                                aspect=view_width/view_height)
dir_light = p3js.DirectionalLight(position=[0.0, 10.0, 10.0])
ambient_light = p3js.AmbientLight()

axes = p3js.AxesHelper()
scene = p3js.Scene(children=[cyl_mesh, axes, camera, dir_light, ambient_light])
controller = p3js.OrbitControls(controlling=camera)
renderer = p3js.Renderer(camera=camera,
                         scene=scene,
                         controls=[controller],
                         width=view_width,
                         height=view_height)

Now display the scene by calling the renderer:

renderer

Transformation Matrices

The location and orientation of any given mesh is stored in its transformation matrix. A transformation matrix is commonly used in graphics applications because it can describe the position, orientation, scaling, and skewing of a mesh of points. A transformation matrix that only describes rotation and position takes this form:

(200)\[\begin{split}\mathbf{T} = \begin{bmatrix} {}^N\mathbf{C}^B & \bar{0} \\ \bar{r}^{P/O} & 1 \end{bmatrix} \quad \mathbf{T}\in \mathbb{R}^{4x4}\end{split}\]

Here the direction cosine matrix of a mesh \(B\) with respect to the scene’s global reference frame \(N\) is stored in the first three rows and columns, the position vector to a reference point \(P\) fixed in the mesh relative to the scene’s origin point \(O\) is stored in the first three columns of the bottom row. If there is no rotation or translation, the transformation matrix becomes the identity matrix. This matrix is stored in the matrix attribute of the mesh:

cyl_mesh.matrix
(1.0,
 0.0,
 0.0,
 0.0,
 0.0,
 1.0,
 0.0,
 0.0,
 0.0,
 0.0,
 1.0,
 0.0,
 0.0,
 0.0,
 0.0,
 1.0)

Notice that the 4x4 matrix is stored “flattened” in a single list of 16 values.

len(cyl_mesh.matrix)
16

If you change this list to a NumPy array you can reshape() it and flatten() it to see the connection.

np.array(cyl_mesh.matrix).reshape(4, 4)
array([[1., 0., 0., 0.],
       [0., 1., 0., 0.],
       [0., 0., 1., 0.],
       [0., 0., 0., 1.]])
np.array(cyl_mesh.matrix).reshape(4, 4).flatten()
array([1., 0., 0., 0., 0., 1., 0., 0., 0., 0., 1., 0., 0., 0., 0., 1.])

Each mesh/geometry has its own local coordinate system and origin. For the cylinder, the origin is at the geometric center and the axis of the cylinder is aligned with its local Y axis. For our body \(A\), we need the cylinder’s axis to align with our \(\hat{a}_x\) vector. To solve this, we need to create a new reference frame in which its Y unit vector is aligned with the \(\hat{a}_x\). I introduce reference frame \(A_c\) for this purpose:

Ac = me.ReferenceFrame('Ac')
Ac.orient_axis(A, sm.pi/2, A.z)

Now we can create a transformation matrix for \(A_c\) and \(A_o\). \(A_o\) aligns with the cylinder mesh’s origin and \(A_c\) aligns with its coordinate system.

TA = sm.eye(4)
TA[:3, :3] = Ac.dcm(N)
TA[3, :3] = sm.transpose(Ao.pos_from(O).to_matrix(N))
TA
\[\begin{split}\displaystyle \left[\begin{matrix}- \sin{\left(q_{1}{\left(t \right)} \right)} & \cos{\left(q_{1}{\left(t \right)} \right)} & 0 & 0\\- \cos{\left(q_{1}{\left(t \right)} \right)} & - \sin{\left(q_{1}{\left(t \right)} \right)} & 0 & 0\\0 & 0 & 1 & 0\\\frac{l \cos{\left(q_{1}{\left(t \right)} \right)}}{2} & \frac{l \sin{\left(q_{1}{\left(t \right)} \right)}}{2} & 0 & 1\end{matrix}\right]\end{split}\]

The \(B\) rod is already correctly aligned with the cylinder geometry’s local coordinate system so we do not need to introduce a new reference frame for its transformation matrix.

TB = sm.eye(4)
TB[:3, :3] = B.dcm(N)
TB[3, :3] = sm.transpose(Bo.pos_from(O).to_matrix(N))
TB
\[\begin{split}\displaystyle \left[\begin{matrix}\cos{\left(q_{1}{\left(t \right)} \right)} & \sin{\left(q_{1}{\left(t \right)} \right)} & 0 & 0\\- \sin{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & \cos{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & \sin{\left(q_{2}{\left(t \right)} \right)} & 0\\\sin{\left(q_{1}{\left(t \right)} \right)} \sin{\left(q_{2}{\left(t \right)} \right)} & - \sin{\left(q_{2}{\left(t \right)} \right)} \cos{\left(q_{1}{\left(t \right)} \right)} & \cos{\left(q_{2}{\left(t \right)} \right)} & 0\\l \cos{\left(q_{1}{\left(t \right)} \right)} & l \sin{\left(q_{1}{\left(t \right)} \right)} & 0 & 1\end{matrix}\right]\end{split}\]

Lastly, we will introduce a sphere mesh to show the location of point \(Q\). We can choose any reference frame because a sphere looks the same from all directions, but I choose to use the \(B\) frame here since we describe the point as sliding along the rod \(B\). This choice will play a role in making the local coordinate axes visualize a bit better in the final animations.

TQ = sm.eye(4)
TQ[:3, :3] = B.dcm(N)
TQ[3, :3] = sm.transpose(Q.pos_from(O).to_matrix(N))
TQ
\[\begin{split}\displaystyle \left[\begin{matrix}\cos{\left(q_{1}{\left(t \right)} \right)} & \sin{\left(q_{1}{\left(t \right)} \right)} & 0 & 0\\- \sin{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & \cos{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & \sin{\left(q_{2}{\left(t \right)} \right)} & 0\\\sin{\left(q_{1}{\left(t \right)} \right)} \sin{\left(q_{2}{\left(t \right)} \right)} & - \sin{\left(q_{2}{\left(t \right)} \right)} \cos{\left(q_{1}{\left(t \right)} \right)} & \cos{\left(q_{2}{\left(t \right)} \right)} & 0\\l \cos{\left(q_{1}{\left(t \right)} \right)} - q_{3}{\left(t \right)} \sin{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & l \sin{\left(q_{1}{\left(t \right)} \right)} + q_{3}{\left(t \right)} \cos{\left(q_{1}{\left(t \right)} \right)} \cos{\left(q_{2}{\left(t \right)} \right)} & q_{3}{\left(t \right)} \sin{\left(q_{2}{\left(t \right)} \right)} & 1\end{matrix}\right]\end{split}\]

Now that we have symbolic transformation matrices, let’s flatten them all to be in the form that three.js needs:

TA = TA.reshape(16, 1)
TB = TB.reshape(16, 1)
TQ = TQ.reshape(16, 1)
TA
\[\begin{split}\displaystyle \left[\begin{matrix}- \sin{\left(q_{1}{\left(t \right)} \right)}\\\cos{\left(q_{1}{\left(t \right)} \right)}\\0\\0\\- \cos{\left(q_{1}{\left(t \right)} \right)}\\- \sin{\left(q_{1}{\left(t \right)} \right)}\\0\\0\\0\\0\\1\\0\\\frac{l \cos{\left(q_{1}{\left(t \right)} \right)}}{2}\\\frac{l \sin{\left(q_{1}{\left(t \right)} \right)}}{2}\\0\\1\end{matrix}\right]\end{split}\]

Now create a function to numerically evaluate the transformation matrices given the generalized coordinates and constants of the system:

eval_transform = sm.lambdify((q, p), (TA, TB, TQ))
eval_transform(q_vals, p_vals)
(array([[-0.42261826],
        [ 0.90630779],
        [ 0.        ],
        [ 0.        ],
        [-0.90630779],
        [-0.42261826],
        [ 0.        ],
        [ 0.        ],
        [ 0.        ],
        [ 0.        ],
        [ 1.        ],
        [ 0.        ],
        [ 0.27189234],
        [ 0.12678548],
        [ 0.        ],
        [ 1.        ]]),
 array([[ 0.90630779],
        [ 0.42261826],
        [ 0.        ],
        [ 0.        ],
        [-0.42101007],
        [ 0.90285901],
        [ 0.08715574],
        [ 0.        ],
        [ 0.03683361],
        [-0.07898993],
        [ 0.9961947 ],
        [ 0.        ],
        [ 0.54378467],
        [ 0.25357096],
        [ 0.        ],
        [ 1.        ]]),
 array([[ 0.90630779],
        [ 0.42261826],
        [ 0.        ],
        [ 0.        ],
        [-0.42101007],
        [ 0.90285901],
        [ 0.08715574],
        [ 0.        ],
        [ 0.03683361],
        [-0.07898993],
        [ 0.9961947 ],
        [ 0.        ],
        [ 0.50168367],
        [ 0.34385686],
        [ 0.00871557],
        [ 1.        ]]))

Finally, create a list of lists for the transformation matrices at each time in ts, as this is the form needed for the animation data below:

TAs = []
TBs = []
TQs = []

for xi in xs:
    TAi, TBi, TQi = eval_transform(xi[:3], p_vals)
    TAs.append(TAi.squeeze().tolist())
    TBs.append(TBi.squeeze().tolist())
    TQs.append(TQi.squeeze().tolist())

Here are the first two numerical transformation matrices to see what we have created:

TAs[:2]
[[-0.42261826174069944,
  0.9063077870366499,
  0.0,
  0.0,
  -0.9063077870366499,
  -0.42261826174069944,
  0.0,
  0.0,
  0.0,
  0.0,
  1.0,
  0.0,
  0.27189233611099495,
  0.12678547852220984,
  0.0,
  1.0],
 [-0.4187739215332694,
  0.9080905255775148,
  0.0,
  0.0,
  -0.9080905255775148,
  -0.4187739215332694,
  0.0,
  0.0,
  0.0,
  0.0,
  1.0,
  0.0,
  0.2724271576732544,
  0.12563217645998082,
  0.0,
  1.0]]

Geometry and Mesh Definitions

Create two cylinders for rods \(A\) and \(B\) and a sphere for particle \(Q\):

rod_radius = p_vals[3]/20  # l/20
sphere_radius = p_vals[3]/16  # l/16

geom_A = p3js.CylinderGeometry(
    radiusTop=rod_radius,
    radiusBottom=rod_radius,
    height=p_vals[3],  # l
)

geom_B = p3js.CylinderGeometry(
    radiusTop=rod_radius,
    radiusBottom=rod_radius,
    height=p_vals[3],  # l
)

geom_Q = p3js.SphereGeometry(radius=sphere_radius)

Now create meshes for each body and add a material of a different color for each mesh. Each mesh will need a unique name so that we can associate the animation information with the correct object. After the creation of the mesh set matrixAutoUpdate to false so that we can manually specify the transformation matrix during the animation. Lastly, add local coordinate axes to each mesh and set the transformation matrix to the initial configuration.

arrow_length = 0.2

mesh_A = p3js.Mesh(
    geometry=geom_A,
    material=p3js.MeshStandardMaterial(color='red'),
    name='mesh_A',
)
mesh_A.matrixAutoUpdate = False
mesh_A.add(p3js.AxesHelper(arrow_length))
mesh_A.matrix = TAs[0]

mesh_B = p3js.Mesh(
    geometry=geom_B,
    material=p3js.MeshStandardMaterial(color='blue'),
    name='mesh_B',
)
mesh_B.matrixAutoUpdate = False
mesh_B.add(p3js.AxesHelper(arrow_length))
mesh_B.matrix = TBs[0]

mesh_Q = p3js.Mesh(
    geometry=geom_Q,
    material=p3js.MeshStandardMaterial(color='green'),
    name='mesh_Q',
)
mesh_Q.matrixAutoUpdate = False
mesh_Q.add(p3js.AxesHelper(arrow_length))
mesh_Q.matrix = TQs[0]

Scene Setup

Now create a scene and renderer similar to as we did earlier. Include the camera, lighting, coordinate axes, and all of the meshes.

view_width = 600
view_height = 400

camera = p3js.PerspectiveCamera(position=[1.5, 0.6, 1],
                                up=[-1.0, 0.0, 0.0],
                                aspect=view_width/view_height)

key_light = p3js.DirectionalLight(position=[0, 10, 10])
ambient_light = p3js.AmbientLight()

axes = p3js.AxesHelper()

children = [mesh_A, mesh_B, mesh_Q, axes, camera, key_light, ambient_light]

scene = p3js.Scene(children=children)

controller = p3js.OrbitControls(controlling=camera)
renderer = p3js.Renderer(camera=camera, scene=scene, controls=[controller],
                         width=view_width, height=view_height)

Animation Setup

three.js uses the concept of a “track” to track the data that changes over time for an animation. A VectorKeyframeTrack can be used to associate time varying transformation matrices with a specific mesh. Create a track for each mesh. Make sure that the name keyword argument matches the name of the mesh with this syntax: scene/<mesh name>.matrix. The times and values keyword arguments hold the simulation time values and the list of transformation matrices at each time, respectively.

track_A = p3js.VectorKeyframeTrack(
    name="scene/mesh_A.matrix",
    times=ts,
    values=TAs
)

track_B = p3js.VectorKeyframeTrack(
    name="scene/mesh_B.matrix",
    times=ts,
    values=TBs
)

track_Q = p3js.VectorKeyframeTrack(
    name="scene/mesh_Q.matrix",
    times=ts,
    values=TQs
)

Now create an AnimationAction that links the tracks to a play/pause button and associates this with the scene.

tracks = [track_B, track_A, track_Q]
duration = ts[-1] - ts[0]
clip = p3js.AnimationClip(tracks=tracks, duration=duration)
action = p3js.AnimationAction(p3js.AnimationMixer(scene), clip, scene)

You can find more about setting up animations with pythreejs in their documentation:

https://pythreejs.readthedocs.io/en/stable/examples/Animation.html

Animated Interactive 3D Visualization

With the scene and animation now defined the renderer and the animation controls can be displayed with:

renderer
action

The axes attached to the inertial reference frame and each mesh are the local coordinate system for that object. The X axis is red, the Y axis is green, the Z axis is blue.

The animation can be used to confirm realistic motion of the multibody system and to visually explore the various motions that can occur.