Query The Mass and Volume#

When they’re not explicitly set, masses and volumes of rigid bodies and colliders are not available as simple USD attributes. The reason is that the computation of these quantities requires generation of cooking data, which is a potentially expensive operation.

IPhysxPropertyQuery interface can be used to obtain properties such as mass, center of mass, volume and volume bounds. The interface function query_prim is used to register rigid body prims individually using stage and prim id. It is also used to specify the asynchronous callbacks rigid_body_fn and collider_fn that will be used to deliver the mass of the rigid body prim and the volume properties of its collider descendants.

The callback function rigid_body_fn will be called once for each registered rigid body. The callback function collider_fn will be called once for each collider descendant of each registered body. After all registered rigid bodies and their descendant colliders have been enumerated, the finished_fn will be called. A timeout parameter can be used to place a limit on the time budget for the operation.

The asynchronous delivery of the callback means that they will be called potentially in one of the successive frame updates of the entire application. If the results are needed before continuing the execution of the program, one solution could be to create a loop calling await omni.kit.app.get_app().next_update_async() until the finished_fn is executed.

The following snippet shows how to obtain the mass and inertia of a rigid body and the volume properties of its collider descendants.

from pxr import Usd, UsdGeom, UsdPhysics, Gf, UsdUtils, PhysicsSchemaTools
import omni.usd
from omni.physx.bindings._physx import PhysxPropertyQueryRigidBodyResponse, PhysxPropertyQueryColliderResponse, PhysxPropertyQueryResult, PhysxPropertyQueryMode
from omni.physx import get_physx_property_query_interface

# Create a stage
omni.usd.get_context().new_stage()
stage = omni.usd.get_context().get_stage()

# Define the root Xform (transformable object)
rootxform = UsdGeom.Xform.Define(stage, "/World")

rigidBodyPath = "/World/rigidBody"
spherePaths = ["/World/rigidBody/sphere0", "/World/rigidBody/sphere1"]
sphereRadii = [1.0, 2.0]
spherePositions = [Gf.Vec3f(5.0, 0.0, 0.0), Gf.Vec3f(-8.0, 0.0, 0.0)]

# Create the rigid body
rigidBodyXform = UsdGeom.Xform.Define(stage, rigidBodyPath)
rigidBodyXform.AddTranslateOp().Set(Gf.Vec3f(0, 0, 0))
rigidBodyXform.AddOrientOp().Set(Gf.Quatf(1.0))
rigidBodyPrim = rigidBodyXform.GetPrim()
rigidBodyAPI = UsdPhysics.RigidBodyAPI.Apply(rigidBodyPrim)
massAPI = UsdPhysics.MassAPI.Apply(rigidBodyPrim)
massAPI.CreateDensityAttr(3.0)

# Create two sphere colliders as descendants of the rigid body
for i in range(2):
    sphereGeom = UsdGeom.Sphere.Define(stage, spherePaths[i])
    sphereGeom.CreateRadiusAttr(sphereRadii[i])
    sphereGeom.AddTranslateOp().Set(spherePositions[i])
    UsdPhysics.CollisionAPI.Apply(sphereGeom.GetPrim())

def rigid_info_received(rigid_info: PhysxPropertyQueryRigidBodyResponse):
    print("[Found a rigid body - printing data]")
    if rigid_info.result == PhysxPropertyQueryResult.VALID:
        rb_prim_path = PhysicsSchemaTools.intToSdfPath(rigid_info.path_id)
        print(
            "Prim: "
            + str(rb_prim_path)
            + "\nRigid Body Info:"
            + "\n\tmass:"
            + str(rigid_info.mass)
            + "\n\tinertia:"
            + str(rigid_info.inertia)
            + "\n\tcenter of mass:"
            + str(rigid_info.center_of_mass)
            + "\n\tprincipal axes:"
            + str(rigid_info.principal_axes)
        )
    else:
        print(f"Error while waiting for query to finish code={rigid_info.result}")

def collider_info_received(collider_info: PhysxPropertyQueryColliderResponse):
    print("[Found a collider - printing data]")
    if collider_info.result == PhysxPropertyQueryResult.VALID:
        collider_prim_path = PhysicsSchemaTools.intToSdfPath(collider_info.path_id)
        print(
            "Prim: "
            + str(collider_prim_path)
            + "\nCollider Info:"
            + "\n\tAABB Min:"
            + str(collider_info.aabb_local_min)
            + "\n\tAABB Max:"
            + str(collider_info.aabb_local_max)
            + "\n\tVolume:"
            + str(collider_info.volume)
            + "\n\tLocal Position:"
            + str(collider_info.local_pos)
            + "\n\tLocal Rotation:"
            + str(collider_info.local_rot)
        )
    else:
        print(f"Error while waiting for query to finish code={collider_info.result}")

finished_happened = False

def enumeration_finished():
    print("query_prim finished!")
    finished_happened = True

stageID = UsdUtils.StageCache.Get().GetId(stage).ToLongInt()
rigidBodyPrimID = PhysicsSchemaTools.sdfPathToInt(rigidBodyPath)
get_physx_property_query_interface().query_prim(
stage_id=stageID,
prim_id=rigidBodyPrimID,
rigid_body_fn=rigid_info_received,
collider_fn=collider_info_received,
finished_fn=enumeration_finished,
timeout_ms=2000)  # Timeout after 2 sec

# If results are required to be available before continuing the program
# uncomment the following lines
# while not finished_happened:
#    await omni.kit.app.get_app().next_update_async()

The snippet above creates a single rigid body prim with two descendant sphere colliders and registers the callbacks rigid_info_received, collider_info_received and enumeration_finished. The callback function rigid_info_received will be called once to report mass properties of the rigid body. The callback function collider_info_received will be called twice, once for each collider descendant of the rigid body. The callback function enumeration_finished will be called once after reporting the rigid body mass properties and the volume properties of both colliders.