Interacting with an articulation#

This tutorial shows how to interact with an articulated robot in the simulation. It is a continuation of the Interacting with a rigid object tutorial, where we learned how to interact with a rigid object. On top of setting the root state, we will see how to set the joint state and apply commands to the articulated robot.

The Code#

The tutorial corresponds to the run_articulation.py script in the scripts/tutorials/01_assets directory.

Code for run_articulation.py
  1# Copyright (c) 2022-2025, The Isaac Lab Project Developers (https://github.com/isaac-sim/IsaacLab/blob/main/CONTRIBUTORS.md).
  2# All rights reserved.
  3#
  4# SPDX-License-Identifier: BSD-3-Clause
  5
  6# Copyright (c) 2022-2025, The Isaac Lab Project Developers.
  7# All rights reserved.
  8#
  9# SPDX-License-Identifier: BSD-3-Clause
 10
 11"""This script demonstrates how to spawn a cart-pole and interact with it.
 12
 13.. code-block:: bash
 14
 15    # Usage
 16    ./isaaclab.sh -p scripts/tutorials/01_assets/run_articulation.py
 17
 18"""
 19
 20"""Launch Isaac Sim Simulator first."""
 21
 22
 23import argparse
 24
 25from isaaclab.app import AppLauncher
 26
 27# add argparse arguments
 28parser = argparse.ArgumentParser(description="Tutorial on spawning and interacting with an articulation.")
 29# append AppLauncher cli args
 30AppLauncher.add_app_launcher_args(parser)
 31# parse the arguments
 32args_cli = parser.parse_args()
 33
 34# launch omniverse app
 35app_launcher = AppLauncher(args_cli)
 36simulation_app = app_launcher.app
 37
 38"""Rest everything follows."""
 39
 40import torch
 41
 42import isaacsim.core.utils.prims as prim_utils
 43
 44import isaaclab.sim as sim_utils
 45from isaaclab.assets import Articulation
 46from isaaclab.sim import SimulationContext
 47
 48##
 49# Pre-defined configs
 50##
 51from isaaclab_assets import CARTPOLE_CFG  # isort:skip
 52
 53
 54def design_scene() -> tuple[dict, list[list[float]]]:
 55    """Designs the scene."""
 56    # Ground-plane
 57    cfg = sim_utils.GroundPlaneCfg()
 58    cfg.func("/World/defaultGroundPlane", cfg)
 59    # Lights
 60    cfg = sim_utils.DomeLightCfg(intensity=3000.0, color=(0.75, 0.75, 0.75))
 61    cfg.func("/World/Light", cfg)
 62
 63    # Create separate groups called "Origin1", "Origin2"
 64    # Each group will have a robot in it
 65    origins = [[0.0, 0.0, 0.0], [-1.0, 0.0, 0.0]]
 66    # Origin 1
 67    prim_utils.create_prim("/World/Origin1", "Xform", translation=origins[0])
 68    # Origin 2
 69    prim_utils.create_prim("/World/Origin2", "Xform", translation=origins[1])
 70
 71    # Articulation
 72    cartpole_cfg = CARTPOLE_CFG.copy()
 73    cartpole_cfg.prim_path = "/World/Origin.*/Robot"
 74    cartpole = Articulation(cfg=cartpole_cfg)
 75
 76    # return the scene information
 77    scene_entities = {"cartpole": cartpole}
 78    return scene_entities, origins
 79
 80
 81def run_simulator(sim: sim_utils.SimulationContext, entities: dict[str, Articulation], origins: torch.Tensor):
 82    """Runs the simulation loop."""
 83    # Extract scene entities
 84    # note: we only do this here for readability. In general, it is better to access the entities directly from
 85    #   the dictionary. This dictionary is replaced by the InteractiveScene class in the next tutorial.
 86    robot = entities["cartpole"]
 87    # Define simulation stepping
 88    sim_dt = sim.get_physics_dt()
 89    count = 0
 90    # Simulation loop
 91    while simulation_app.is_running():
 92        # Reset
 93        if count % 500 == 0:
 94            # reset counter
 95            count = 0
 96            # reset the scene entities
 97            # root state
 98            # we offset the root state by the origin since the states are written in simulation world frame
 99            # if this is not done, then the robots will be spawned at the (0, 0, 0) of the simulation world
100            root_state = robot.data.default_root_state.clone()
101            root_state[:, :3] += origins
102            robot.write_root_pose_to_sim(root_state[:, :7])
103            robot.write_root_velocity_to_sim(root_state[:, 7:])
104            # set joint positions with some noise
105            joint_pos, joint_vel = robot.data.default_joint_pos.clone(), robot.data.default_joint_vel.clone()
106            joint_pos += torch.rand_like(joint_pos) * 0.1
107            robot.write_joint_state_to_sim(joint_pos, joint_vel)
108            # clear internal buffers
109            robot.reset()
110            print("[INFO]: Resetting robot state...")
111        # Apply random action
112        # -- generate random joint efforts
113        efforts = torch.randn_like(robot.data.joint_pos) * 5.0
114        # -- apply action to the robot
115        robot.set_joint_effort_target(efforts)
116        # -- write data to sim
117        robot.write_data_to_sim()
118        # Perform step
119        sim.step()
120        # Increment counter
121        count += 1
122        # Update buffers
123        robot.update(sim_dt)
124
125
126def main():
127    """Main function."""
128    # Load kit helper
129    sim_cfg = sim_utils.SimulationCfg(device=args_cli.device)
130    sim = SimulationContext(sim_cfg)
131    # Set main camera
132    sim.set_camera_view([2.5, 0.0, 4.0], [0.0, 0.0, 2.0])
133    # Design scene
134    scene_entities, scene_origins = design_scene()
135    scene_origins = torch.tensor(scene_origins, device=sim.device)
136    # Play the simulator
137    sim.reset()
138    # Now we are ready!
139    print("[INFO]: Setup complete...")
140    # Run the simulator
141    run_simulator(sim, scene_entities, scene_origins)
142
143
144if __name__ == "__main__":
145    # run the main function
146    main()
147    # close sim app
148    simulation_app.close()

The Code Explained#

Designing the scene#

Similar to the previous tutorial, we populate the scene with a ground plane and a distant light. Instead of spawning rigid objects, we now spawn a cart-pole articulation from its USD file. The cart-pole is a simple robot consisting of a cart and a pole attached to it. The cart is free to move along the x-axis, and the pole is free to rotate about the cart. The USD file for the cart-pole contains the robot’s geometry, joints, and other physical properties.

For the cart-pole, we use its pre-defined configuration object, which is an instance of the assets.ArticulationCfg class. This class contains information about the articulation’s spawning strategy, default initial state, actuator models for different joints, and other meta-information. A deeper-dive into how to create this configuration object is provided in the Writing an Asset Configuration tutorial.

As seen in the previous tutorial, we can spawn the articulation into the scene in a similar fashion by creating an instance of the assets.Articulation class by passing the configuration object to its constructor.

    # Create separate groups called "Origin1", "Origin2"
    # Each group will have a robot in it
    origins = [[0.0, 0.0, 0.0], [-1.0, 0.0, 0.0]]
    # Origin 1
    prim_utils.create_prim("/World/Origin1", "Xform", translation=origins[0])
    # Origin 2
    prim_utils.create_prim("/World/Origin2", "Xform", translation=origins[1])

    # Articulation
    cartpole_cfg = CARTPOLE_CFG.copy()
    cartpole_cfg.prim_path = "/World/Origin.*/Robot"
    cartpole = Articulation(cfg=cartpole_cfg)

Running the simulation loop#

Continuing from the previous tutorial, we reset the simulation at regular intervals, set commands to the articulation, step the simulation, and update the articulation’s internal buffers.

Resetting the simulation#

Similar to a rigid object, an articulation also has a root state. This state corresponds to the root body in the articulation tree. On top of the root state, an articulation also has joint states. These states correspond to the joint positions and velocities.

To reset the articulation, we first set the root state by calling the Articulation.write_root_pose_to_sim() and Articulation.write_root_velocity_to_sim() methods. Similarly, we set the joint states by calling the Articulation.write_joint_state_to_sim() method. Finally, we call the Articulation.reset() method to reset any internal buffers and caches.

            # reset the scene entities
            # root state
            # we offset the root state by the origin since the states are written in simulation world frame
            # if this is not done, then the robots will be spawned at the (0, 0, 0) of the simulation world
            root_state = robot.data.default_root_state.clone()
            root_state[:, :3] += origins
            robot.write_root_pose_to_sim(root_state[:, :7])
            robot.write_root_velocity_to_sim(root_state[:, 7:])
            # set joint positions with some noise
            joint_pos, joint_vel = robot.data.default_joint_pos.clone(), robot.data.default_joint_vel.clone()
            joint_pos += torch.rand_like(joint_pos) * 0.1
            robot.write_joint_state_to_sim(joint_pos, joint_vel)
            # clear internal buffers
            robot.reset()

Stepping the simulation#

Applying commands to the articulation involves two steps:

  1. Setting the joint targets: This sets the desired joint position, velocity, or effort targets for the articulation.

  2. Writing the data to the simulation: Based on the articulation’s configuration, this step handles any actuation conversions and writes the converted values to the PhysX buffer.

In this tutorial, we control the articulation using joint effort commands. For this to work, we need to set the articulation’s stiffness and damping parameters to zero. This is done a-priori inside the cart-pole’s pre-defined configuration object.

At every step, we randomly sample joint efforts and set them to the articulation by calling the Articulation.set_joint_effort_target() method. After setting the targets, we call the Articulation.write_data_to_sim() method to write the data to the PhysX buffer. Finally, we step the simulation.

        # Apply random action
        # -- generate random joint efforts
        efforts = torch.randn_like(robot.data.joint_pos) * 5.0
        # -- apply action to the robot
        robot.set_joint_effort_target(efforts)
        # -- write data to sim
        robot.write_data_to_sim()

Updating the state#

Every articulation class contains a assets.ArticulationData object. This stores the state of the articulation. To update the state inside the buffer, we call the assets.Articulation.update() method.

        # Update buffers
        robot.update(sim_dt)

The Code Execution#

To run the code and see the results, let’s run the script from the terminal:

./isaaclab.sh -p scripts/tutorials/01_assets/run_articulation.py

This command should open a stage with a ground plane, lights, and two cart-poles that are moving around randomly. To stop the simulation, you can either close the window, or press Ctrl+C in the terminal.

result of run_articulation.py

In this tutorial, we learned how to create and interact with a simple articulation. We saw how to set the state of an articulation (its root and joint state) and how to apply commands to it. We also saw how to update its buffers to read the latest state from the simulation.

In addition to this tutorial, we also provide a few other scripts that spawn different robots. These are included in the scripts/demos directory. You can run these scripts as:

# Spawn many different single-arm manipulators
./isaaclab.sh -p scripts/demos/arms.py

# Spawn many different quadrupeds
./isaaclab.sh -p scripts/demos/quadrupeds.py