xfu314's picture
Add phantom project with submodules and dependencies
96da58e
"""
Modder classes used for domain randomization. Largely based off of the mujoco-py
implementation below.
https://github.com/openai/mujoco-py/blob/1fe312b09ae7365f0dd9d4d0e453f8da59fae0bf/mujoco_py/modder.py
"""
import copy
import os
from collections import defaultdict
import numpy as np
from PIL import Image
import robosuite
import robosuite.utils.transform_utils as trans
from robosuite.utils.binding_utils import MjRenderContextOffscreen
class BaseModder:
"""
Base class meant to modify simulation attributes mid-sim.
Using @random_state ensures that sampling here won't be affected
by sampling that happens outside of the modders.
Args:
sim (MjSim): simulation object
random_state (RandomState): instance of np.random.RandomState, specific
seed used to randomize these modifications without impacting other
numpy seeds / randomizations
"""
def __init__(self, sim, random_state=None):
self.sim = sim
if random_state is None:
# default to global RandomState instance
self.random_state = np.random.mtrand._rand
else:
self.random_state = random_state
def update_sim(self, sim):
"""
Setter function to update internal sim variable
Args:
sim (MjSim): MjSim object
"""
self.sim = sim
@property
def model(self):
"""
Returns:
MjModel: Mujoco sim model
"""
# Available for quick convenience access
return self.sim.model
class LightingModder(BaseModder):
"""
Modder to modify lighting within a Mujoco simulation.
Args:
sim (MjSim): MjSim object
random_state (RandomState): instance of np.random.RandomState
light_names (None or list of str): list of lights to use for randomization. If not provided, all
lights in the model are randomized.
randomize_position (bool): If True, randomizes position of lighting
randomize_direction (bool): If True, randomizes direction of lighting
randomize_specular (bool): If True, randomizes specular attribute of lighting
randomize_ambient (bool): If True, randomizes ambient attribute of lighting
randomize_diffuse (bool): If True, randomizes diffuse attribute of lighting
randomize_active (bool): If True, randomizes active nature of lighting
position_perturbation_size (float): Magnitude of position randomization
direction_perturbation_size (float): Magnitude of direction randomization
specular_perturbation_size (float): Magnitude of specular attribute randomization
ambient_perturbation_size (float): Magnitude of ambient attribute randomization
diffuse_perturbation_size (float): Magnitude of diffuse attribute randomization
"""
def __init__(
self,
sim,
random_state=None,
light_names=None,
randomize_position=True,
randomize_direction=True,
randomize_specular=True,
randomize_ambient=True,
randomize_diffuse=True,
randomize_active=True,
position_perturbation_size=0.1,
direction_perturbation_size=0.35, # 20 degrees
specular_perturbation_size=0.1,
ambient_perturbation_size=0.1,
diffuse_perturbation_size=0.1,
):
super().__init__(sim, random_state=random_state)
if light_names is None:
light_names = self.sim.model.light_names
self.light_names = light_names
self.randomize_position = randomize_position
self.randomize_direction = randomize_direction
self.randomize_specular = randomize_specular
self.randomize_ambient = randomize_ambient
self.randomize_diffuse = randomize_diffuse
self.randomize_active = randomize_active
self.position_perturbation_size = position_perturbation_size
self.direction_perturbation_size = direction_perturbation_size
self.specular_perturbation_size = specular_perturbation_size
self.ambient_perturbation_size = ambient_perturbation_size
self.diffuse_perturbation_size = diffuse_perturbation_size
self.save_defaults()
def save_defaults(self):
"""
Uses the current MjSim state and model to save default parameter values.
"""
self._defaults = {k: {} for k in self.light_names}
for name in self.light_names:
self._defaults[name]["pos"] = np.array(self.get_pos(name))
self._defaults[name]["dir"] = np.array(self.get_dir(name))
self._defaults[name]["specular"] = np.array(self.get_specular(name))
self._defaults[name]["ambient"] = np.array(self.get_ambient(name))
self._defaults[name]["diffuse"] = np.array(self.get_diffuse(name))
self._defaults[name]["active"] = self.get_active(name)
def restore_defaults(self):
"""
Reloads the saved parameter values.
"""
for name in self.light_names:
self.set_pos(name, self._defaults[name]["pos"])
self.set_dir(name, self._defaults[name]["dir"])
self.set_specular(name, self._defaults[name]["specular"])
self.set_ambient(name, self._defaults[name]["ambient"])
self.set_diffuse(name, self._defaults[name]["diffuse"])
self.set_active(name, self._defaults[name]["active"])
def randomize(self):
"""
Randomizes all requested lighting values within the sim
"""
for name in self.light_names:
if self.randomize_position:
self._randomize_position(name)
if self.randomize_direction:
self._randomize_direction(name)
if self.randomize_specular:
self._randomize_specular(name)
if self.randomize_ambient:
self._randomize_ambient(name)
if self.randomize_diffuse:
self._randomize_diffuse(name)
if self.randomize_active:
self._randomize_active(name)
def _randomize_position(self, name):
"""
Helper function to randomize position of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
delta_pos = self.random_state.uniform(
low=-self.position_perturbation_size,
high=self.position_perturbation_size,
size=3,
)
self.set_pos(
name,
self._defaults[name]["pos"] + delta_pos,
)
def _randomize_direction(self, name):
"""
Helper function to randomize direction of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
# sample a small, random axis-angle delta rotation
random_axis, random_angle = trans.random_axis_angle(
angle_limit=self.direction_perturbation_size, random_state=self.random_state
)
random_delta_rot = trans.quat2mat(trans.axisangle2quat(random_axis * random_angle))
# rotate direction by this delta rotation and set the new direction
new_dir = random_delta_rot.dot(self._defaults[name]["dir"])
self.set_dir(
name,
new_dir,
)
def _randomize_specular(self, name):
"""
Helper function to randomize specular attribute of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
delta = self.random_state.uniform(
low=-self.specular_perturbation_size,
high=self.specular_perturbation_size,
size=3,
)
self.set_specular(
name,
self._defaults[name]["specular"] + delta,
)
def _randomize_ambient(self, name):
"""
Helper function to randomize ambient attribute of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
delta = self.random_state.uniform(
low=-self.ambient_perturbation_size,
high=self.ambient_perturbation_size,
size=3,
)
self.set_ambient(
name,
self._defaults[name]["ambient"] + delta,
)
def _randomize_diffuse(self, name):
"""
Helper function to randomize diffuse attribute of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
delta = self.random_state.uniform(
low=-self.diffuse_perturbation_size,
high=self.diffuse_perturbation_size,
size=3,
)
self.set_diffuse(
name,
self._defaults[name]["diffuse"] + delta,
)
def _randomize_active(self, name):
"""
Helper function to randomize active nature of a specific light source
Args:
name (str): Name of the lighting source to randomize for
"""
active = int(self.random_state.uniform() > 0.5)
self.set_active(name, active)
def get_pos(self, name):
"""
Grabs position of a specific light source
Args:
name (str): Name of the lighting source
Returns:
np.array: (x,y,z) position of lighting source
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_pos[lightid]
def set_pos(self, name, value):
"""
Sets position of a specific light source
Args:
name (str): Name of the lighting source
value (np.array): (x,y,z) position to set lighting source to
Raises:
AssertionError: Invalid light name
AssertionError: Invalid @value
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
value = list(value)
assert len(value) == 3, "Expected 3-dim value, got %s" % value
self.model.light_pos[lightid] = value
def get_dir(self, name):
"""
Grabs direction of a specific light source
Args:
name (str): Name of the lighting source
Returns:
np.array: (x,y,z) direction of lighting source
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_dir[lightid]
def set_dir(self, name, value):
"""
Sets direction of a specific light source
Args:
name (str): Name of the lighting source
value (np.array): (ax,ay,az) direction to set lighting source to
Raises:
AssertionError: Invalid light name
AssertionError: Invalid @value
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
value = list(value)
assert len(value) == 3, "Expected 3-dim value, got %s" % value
self.model.light_dir[lightid] = value
def get_active(self, name):
"""
Grabs active nature of a specific light source
Args:
name (str): Name of the lighting source
Returns:
int: Whether light source is active (1) or not (0)
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_active[lightid]
def set_active(self, name, value):
"""
Sets active nature of a specific light source
Args:
name (str): Name of the lighting source
value (int): Whether light source is active (1) or not (0)
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
self.model.light_active[lightid] = value
def get_specular(self, name):
"""
Grabs specular attribute of a specific light source
Args:
name (str): Name of the lighting source
Returns:
np.array: (r,g,b) specular color of lighting source
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_specular[lightid]
def set_specular(self, name, value):
"""
Sets specular attribute of a specific light source
Args:
name (str): Name of the lighting source
value (np.array): (r,g,b) specular color to set lighting source to
Raises:
AssertionError: Invalid light name
AssertionError: Invalid @value
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
value = list(value)
assert len(value) == 3, "Expected 3-dim value, got %s" % value
self.model.light_specular[lightid] = value
def get_ambient(self, name):
"""
Grabs ambient attribute of a specific light source
Args:
name (str): Name of the lighting source
Returns:
np.array: (r,g,b) ambient color of lighting source
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_ambient[lightid]
def set_ambient(self, name, value):
"""
Sets ambient attribute of a specific light source
Args:
name (str): Name of the lighting source
value (np.array): (r,g,b) ambient color to set lighting source to
Raises:
AssertionError: Invalid light name
AssertionError: Invalid @value
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
value = list(value)
assert len(value) == 3, "Expected 3-dim value, got %s" % value
self.model.light_ambient[lightid] = value
def get_diffuse(self, name):
"""
Grabs diffuse attribute of a specific light source
Args:
name (str): Name of the lighting source
Returns:
np.array: (r,g,b) diffuse color of lighting source
Raises:
AssertionError: Invalid light name
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
return self.model.light_diffuse[lightid]
def set_diffuse(self, name, value):
"""
Sets diffuse attribute of a specific light source
Args:
name (str): Name of the lighting source
value (np.array): (r,g,b) diffuse color to set lighting source to
Raises:
AssertionError: Invalid light name
AssertionError: Invalid @value
"""
lightid = self.get_lightid(name)
assert lightid > -1, "Unkwnown light %s" % name
value = list(value)
assert len(value) == 3, "Expected 3-dim value, got %s" % value
self.model.light_diffuse[lightid] = value
def get_lightid(self, name):
"""
Grabs unique id number of a specific light source
Args:
name (str): Name of the lighting source
Returns:
int: id of lighting source. -1 if not found
"""
return self.model.light_name2id(name)
class CameraModder(BaseModder):
"""
Modder for modifying camera attributes in mujoco sim
Args:
sim (MjSim): MjSim object
random_state (None or RandomState): instance of np.random.RandomState
camera_names (None or list of str): list of camera names to use for randomization. If not provided,
all cameras are used for randomization.
randomize_position (bool): if True, randomize camera position
randomize_rotation (bool): if True, randomize camera rotation
randomize_fovy (bool): if True, randomize camera fovy
position_perturbation_size (float): size of camera position perturbations to each dimension
rotation_perturbation_size (float): magnitude of camera rotation perturbations in axis-angle.
Default corresponds to around 5 degrees.
fovy_perturbation_size (float): magnitude of camera fovy perturbations (corresponds to focusing)
Raises:
AssertionError: [No randomization selected]
"""
def __init__(
self,
sim,
random_state=None,
camera_names=None,
randomize_position=True,
randomize_rotation=True,
randomize_fovy=True,
position_perturbation_size=0.01,
rotation_perturbation_size=0.087,
fovy_perturbation_size=5.0,
):
super().__init__(sim, random_state=random_state)
assert randomize_position or randomize_rotation or randomize_fovy
if camera_names is None:
camera_names = self.sim.model.camera_names
self.camera_names = camera_names
self.randomize_position = randomize_position
self.randomize_rotation = randomize_rotation
self.randomize_fovy = randomize_fovy
self.position_perturbation_size = position_perturbation_size
self.rotation_perturbation_size = rotation_perturbation_size
self.fovy_perturbation_size = fovy_perturbation_size
self.save_defaults()
def save_defaults(self):
"""
Uses the current MjSim state and model to save default parameter values.
"""
self._defaults = {k: {} for k in self.camera_names}
for camera_name in self.camera_names:
self._defaults[camera_name]["pos"] = np.array(self.get_pos(camera_name))
self._defaults[camera_name]["quat"] = np.array(self.get_quat(camera_name))
self._defaults[camera_name]["fovy"] = self.get_fovy(camera_name)
def restore_defaults(self):
"""
Reloads the saved parameter values.
"""
for camera_name in self.camera_names:
self.set_pos(camera_name, self._defaults[camera_name]["pos"])
self.set_quat(camera_name, self._defaults[camera_name]["quat"])
self.set_fovy(camera_name, self._defaults[camera_name]["fovy"])
def randomize(self):
"""
Randomizes all requested camera values within the sim
"""
for camera_name in self.camera_names:
if self.randomize_position:
self._randomize_position(camera_name)
if self.randomize_rotation:
self._randomize_rotation(camera_name)
if self.randomize_fovy:
self._randomize_fovy(camera_name)
def _randomize_position(self, name):
"""
Helper function to randomize position of a specific camera
Args:
name (str): Name of the camera to randomize for
"""
delta_pos = self.random_state.uniform(
low=-self.position_perturbation_size,
high=self.position_perturbation_size,
size=3,
)
self.set_pos(
name,
self._defaults[name]["pos"] + delta_pos,
)
def _randomize_rotation(self, name):
"""
Helper function to randomize orientation of a specific camera
Args:
name (str): Name of the camera to randomize for
"""
# sample a small, random axis-angle delta rotation
random_axis, random_angle = trans.random_axis_angle(
angle_limit=self.rotation_perturbation_size, random_state=self.random_state
)
random_delta_rot = trans.quat2mat(trans.axisangle2quat(random_axis * random_angle))
# compute new rotation and set it
base_rot = trans.quat2mat(trans.convert_quat(self._defaults[name]["quat"], to="xyzw"))
new_rot = random_delta_rot.T.dot(base_rot)
new_quat = trans.convert_quat(trans.mat2quat(new_rot), to="wxyz")
self.set_quat(
name,
new_quat,
)
def _randomize_fovy(self, name):
"""
Helper function to randomize fovy of a specific camera
Args:
name (str): Name of the camera to randomize for
"""
delta_fovy = self.random_state.uniform(
low=-self.fovy_perturbation_size,
high=self.fovy_perturbation_size,
)
self.set_fovy(
name,
self._defaults[name]["fovy"] + delta_fovy,
)
def get_fovy(self, name):
"""
Grabs fovy of a specific camera
Args:
name (str): Name of the camera
Returns:
float: vertical field of view of the camera, expressed in degrees
Raises:
AssertionError: Invalid camera name
"""
camid = self.get_camid(name)
assert camid > -1, "Unknown camera %s" % name
return self.model.cam_fovy[camid]
def set_fovy(self, name, value):
"""
Sets fovy of a specific camera
Args:
name (str): Name of the camera
value (float): vertical field of view of the camera, expressed in degrees
Raises:
AssertionError: Invalid camera name
AssertionError: Invalid value
"""
camid = self.get_camid(name)
assert 0 < value < 180
assert camid > -1, "Unknown camera %s" % name
self.model.cam_fovy[camid] = value
def get_quat(self, name):
"""
Grabs orientation of a specific camera
Args:
name (str): Name of the camera
Returns:
np.array: (w,x,y,z) orientation of the camera, expressed in quaternions
Raises:
AssertionError: Invalid camera name
"""
camid = self.get_camid(name)
assert camid > -1, "Unknown camera %s" % name
return self.model.cam_quat[camid]
def set_quat(self, name, value):
"""
Sets orientation of a specific camera
Args:
name (str): Name of the camera
value (np.array): (w,x,y,z) orientation of the camera, expressed in quaternions
Raises:
AssertionError: Invalid camera name
AssertionError: Invalid value
"""
value = list(value)
assert len(value) == 4, "Expectd value of length 4, instead got %s" % value
camid = self.get_camid(name)
assert camid > -1, "Unknown camera %s" % name
self.model.cam_quat[camid] = value
def get_pos(self, name):
"""
Grabs position of a specific camera
Args:
name (str): Name of the camera
Returns:
np.array: (x,y,z) position of the camera
Raises:
AssertionError: Invalid camera name
"""
camid = self.get_camid(name)
assert camid > -1, "Unknown camera %s" % name
return self.model.cam_pos[camid]
def set_pos(self, name, value):
"""
Sets position of a specific camera
Args:
name (str): Name of the camera
value (np.array): (x,y,z) position of the camera
Raises:
AssertionError: Invalid camera name
AssertionError: Invalid value
"""
value = list(value)
assert len(value) == 3, "Expected value of length 3, instead got %s" % value
camid = self.get_camid(name)
assert camid > -1
self.model.cam_pos[camid] = value
def get_camid(self, name):
"""
Grabs unique id number of a specific camera
Args:
name (str): Name of the camera
Returns:
int: id of camera. -1 if not found
"""
return self.model.camera_name2id(name)
class TextureModder(BaseModder):
"""
Modify textures in model. Example use:
sim = MjSim(...)
modder = TextureModder(sim)
modder.whiten_materials() # ensures materials won't impact colors
modder.set_checker('some_geom', (255, 0, 0), (0, 0, 0))
modder.rand_all('another_geom')
Note: in order for the textures to take full effect, you'll need to set
the rgba values for all materials to [1, 1, 1, 1], otherwise the texture
colors will be modulated by the material colors. Call the
`whiten_materials` helper method to set all material colors to white.
Args:
sim (MjSim): MjSim object
random_state (RandomState): instance of np.random.RandomState
geom_names ([string]): list of geom names to use for randomization. If not provided,
all geoms are used for randomization.
randomize_local (bool): if True, constrain RGB color variations to be close to the
original RGB colors per geom and texture. Otherwise, RGB color values will
be sampled uniformly at random.
randomize_material (bool): if True, randomizes material properties associated with a
given texture (reflectance, shininess, specular)
local_rgb_interpolation (float): determines the size of color variations from
the base geom colors when @randomize_local is True.
local_material_interpolation (float): determines the size of material variations from
the base material when @randomize_local and @randomize_material are both True.
texture_variations (list of str): a list of texture variation strings. Each string
must be either 'rgb', 'checker', 'noise', or 'gradient' and corresponds to
a specific kind of texture randomization. For each geom that has a material
and texture, a random variation from this list is sampled and applied.
randomize_skybox (bool): if True, apply texture variations to the skybox as well.
"""
def __init__(
self,
sim,
random_state=None,
geom_names=None,
randomize_local=False,
randomize_material=False,
local_rgb_interpolation=0.1,
local_material_interpolation=0.2,
texture_variations=("rgb", "checker", "noise", "gradient"),
randomize_skybox=True,
):
super().__init__(sim, random_state=random_state)
if geom_names is None:
geom_names = self.sim.model.geom_names
self.geom_names = geom_names
self.randomize_local = randomize_local
self.randomize_material = randomize_material
self.local_rgb_interpolation = local_rgb_interpolation
self.local_material_interpolation = local_material_interpolation
self.texture_variations = list(texture_variations)
self.randomize_skybox = randomize_skybox
self._all_texture_variation_callbacks = {
"rgb": self.rand_rgb,
"checker": self.rand_checker,
"noise": self.rand_noise,
"gradient": self.rand_gradient,
}
self._texture_variation_callbacks = {
k: self._all_texture_variation_callbacks[k] for k in self.texture_variations
}
self.save_defaults()
def save_defaults(self):
"""
Uses the current MjSim state and model to save default parameter values.
"""
self.textures = [Texture(self.model, i) for i in range(self.model.ntex)]
# self._build_tex_geom_map()
# save copy of original texture bitmaps
self._default_texture_bitmaps = [np.array(text.bitmap) for text in self.textures]
# These matrices will be used to rapidly synthesize
# checker pattern bitmaps
self._cache_checker_matrices()
self._defaults = {k: {} for k in self.geom_names}
if self.randomize_skybox:
self._defaults["skybox"] = {}
for name in self.geom_names:
if self._check_geom_for_texture(name):
# store the texture bitmap for this geom
tex_id = self._name_to_tex_id(name)
self._defaults[name]["texture"] = self._default_texture_bitmaps[tex_id]
# store material properties as well (in tuple (reflectance, shininess, specular) form)
self._defaults[name]["material"] = self.get_material(name)
else:
# store geom color
self._defaults[name]["rgb"] = np.array(self.get_geom_rgb(name))
if self.randomize_skybox:
tex_id = self._name_to_tex_id("skybox")
self._defaults["skybox"]["texture"] = self._default_texture_bitmaps[tex_id]
def restore_defaults(self):
"""
Reloads the saved parameter values.
"""
for name in self.geom_names:
if self._check_geom_for_texture(name):
self.set_texture(name, self._defaults[name]["texture"], perturb=False)
self.set_material(name, self._defaults[name]["material"], perturb=False)
else:
self.set_geom_rgb(name, self._defaults[name]["rgb"])
if self.randomize_skybox:
self.set_texture("skybox", self._defaults["skybox"]["texture"], perturb=False)
def randomize(self):
"""
Overrides mujoco-py implementation to also randomize color
for geoms that have no material.
"""
self.whiten_materials()
for name in self.geom_names:
if self._check_geom_for_texture(name):
# geom has valid texture that can be randomized
self._randomize_texture(name)
# randomize material if requested
if self.randomize_material:
self._randomize_material(name)
else:
# randomize geom color
self._randomize_geom_color(name)
if self.randomize_skybox:
self._randomize_texture("skybox")
def _randomize_geom_color(self, name):
"""
Helper function to randomize color of a specific geom
Args:
name (str): Name of the geom to randomize for
"""
if self.randomize_local:
random_color = self.random_state.uniform(0, 1, size=3)
rgb = (1.0 - self.local_rgb_interpolation) * self._defaults[name][
"rgb"
] + self.local_rgb_interpolation * random_color
else:
rgb = self.random_state.uniform(0, 1, size=3)
self.set_geom_rgb(name, rgb)
def _randomize_texture(self, name):
"""
Helper function to randomize texture of a specific geom
Args:
name (str): Name of the geom to randomize for
"""
keys = list(self._texture_variation_callbacks.keys())
choice = keys[self.random_state.randint(len(keys))]
self._texture_variation_callbacks[choice](name)
def _randomize_material(self, name):
"""
Helper function to randomize material of a specific geom
Args:
name (str): Name of the geom to randomize for
"""
# Return immediately if this is the skybox
if name == "skybox":
return
# Grab material id
mat_id = self._name_to_mat_id(name)
# Randomize reflectance, shininess, and specular
material = self.random_state.uniform(0, 1, size=3) # (reflectance, shininess, specular)
self.set_material(name, material, perturb=self.randomize_local)
def rand_checker(self, name):
"""
Generates a random checker pattern for a specific geom
Args:
name (str): Name of the geom to randomize for
"""
rgb1, rgb2 = self.get_rand_rgb(2)
self.set_checker(name, rgb1, rgb2, perturb=self.randomize_local)
def rand_gradient(self, name):
"""
Generates a random gradient pattern for a specific geom
Args:
name (str): Name of the geom to randomize for
"""
rgb1, rgb2 = self.get_rand_rgb(2)
vertical = bool(self.random_state.uniform() > 0.5)
self.set_gradient(name, rgb1, rgb2, vertical=vertical, perturb=self.randomize_local)
def rand_rgb(self, name):
"""
Generates a random RGB color for a specific geom
Args:
name (str): Name of the geom to randomize for
"""
rgb = self.get_rand_rgb()
self.set_rgb(name, rgb, perturb=self.randomize_local)
def rand_noise(self, name):
"""
Generates a random RGB noise pattern for a specific geom
Args:
name (str): Name of the geom to randomize for
"""
fraction = 0.1 + self.random_state.uniform() * 0.8
rgb1, rgb2 = self.get_rand_rgb(2)
self.set_noise(name, rgb1, rgb2, fraction, perturb=self.randomize_local)
def whiten_materials(self):
"""
Extends modder.TextureModder to also whiten geom_rgba
Helper method for setting all material colors to white, otherwise
the texture modifications won't take full effect.
"""
for name in self.geom_names:
# whiten geom
geom_id = self.model.geom_name2id(name)
self.model.geom_rgba[geom_id, :] = 1.0
if self._check_geom_for_texture(name):
# whiten material
mat_id = self.model.geom_matid[geom_id]
self.model.mat_rgba[mat_id, :] = 1.0
def get_geom_rgb(self, name):
"""
Grabs rgb color of a specific geom
Args:
name (str): Name of the geom
Returns:
np.array: (r,g,b) geom colors
"""
geom_id = self.model.geom_name2id(name)
return self.model.geom_rgba[geom_id, :3]
def set_geom_rgb(self, name, rgb):
"""
Sets rgb color of a specific geom
Args:
name (str): Name of the geom
rgb (np.array): (r,g,b) geom colors
"""
geom_id = self.model.geom_name2id(name)
self.model.geom_rgba[geom_id, :3] = rgb
def get_rand_rgb(self, n=1):
"""
Grabs a batch of random rgb tuple combos
Args:
n (int): How many sets of rgb tuples to randomly generate
Returns:
np.array or n-tuple: if n > 1, each tuple entry is a rgb tuple. else, single (r,g,b) array
"""
def _rand_rgb():
return np.array(self.random_state.uniform(size=3) * 255, dtype=np.uint8)
if n == 1:
return _rand_rgb()
else:
return tuple(_rand_rgb() for _ in range(n))
def get_texture(self, name):
"""
Grabs texture of a specific geom
Args:
name (str): Name of the geom
Returns:
Texture: texture associated with the geom
"""
tex_id = self._name_to_tex_id(name)
texture = self.textures[tex_id]
return texture
def set_texture(self, name, bitmap, perturb=False):
"""
Sets the bitmap for the texture that corresponds
to geom @name.
If @perturb is True, then use the computed bitmap
to perturb the default bitmap slightly, instead
of replacing it.
Args:
name (str): Name of the geom
bitmap (np.array): 3d-array representing rgb pixel-wise values
perturb (bool): Whether to perturb the inputted bitmap or not
"""
bitmap_to_set = self.get_texture(name).bitmap
if perturb:
bitmap = (1.0 - self.local_rgb_interpolation) * self._defaults[name][
"texture"
] + self.local_rgb_interpolation * bitmap
bitmap_to_set[:] = bitmap
self.upload_texture(name)
def get_material(self, name):
"""
Grabs material of a specific geom
Args:
name (str): Name of the geom
Returns:
np.array: (reflectance, shininess, specular) material properties associated with the geom
"""
mat_id = self._name_to_mat_id(name)
# Material is in tuple form (reflectance, shininess, specular)
material = np.array(
(self.model.mat_reflectance[mat_id], self.model.mat_shininess[mat_id], self.model.mat_specular[mat_id])
)
return material
def set_material(self, name, material, perturb=False):
"""
Sets the material that corresponds to geom @name.
If @perturb is True, then use the computed material
to perturb the default material slightly, instead
of replacing it.
Args:
name (str): Name of the geom
material (np.array): (reflectance, shininess, specular) material properties associated with the geom
perturb (bool): Whether to perturb the inputted material properties or not
"""
mat_id = self._name_to_mat_id(name)
if perturb:
material = (1.0 - self.local_material_interpolation) * self._defaults[name][
"material"
] + self.local_material_interpolation * material
self.model.mat_reflectance[mat_id] = material[0]
self.model.mat_shininess[mat_id] = material[1]
self.model.mat_specular[mat_id] = material[2]
def get_checker_matrices(self, name):
"""
Grabs checker pattern matrix associated with @name.
Args:
name (str): Name of geom
Returns:
np.array: 3d-array representing rgb checker pattern
"""
tex_id = self._name_to_tex_id(name)
return self._texture_checker_mats[tex_id]
def set_checker(self, name, rgb1, rgb2, perturb=False):
"""
Use the two checker matrices to create a checker
pattern from the two colors, and set it as
the texture for geom @name.
Args:
name (str): Name of geom
rgb1 (3-array): (r,g,b) value for one half of checker pattern
rgb2 (3-array): (r,g,b) value for other half of checker pattern
perturb (bool): Whether to perturb the resulting checker pattern or not
"""
cbd1, cbd2 = self.get_checker_matrices(name)
rgb1 = np.asarray(rgb1).reshape([1, 1, -1])
rgb2 = np.asarray(rgb2).reshape([1, 1, -1])
bitmap = rgb1 * cbd1 + rgb2 * cbd2
self.set_texture(name, bitmap, perturb=perturb)
def set_gradient(self, name, rgb1, rgb2, vertical=True, perturb=False):
"""
Creates a linear gradient from rgb1 to rgb2.
Args:
name (str): Name of geom
rgb1 (3-array): start color
rgb2 (3- array): end color
vertical (bool): if True, the gradient in the positive
y-direction, if False it's in the positive x-direction.
perturb (bool): Whether to perturb the resulting gradient pattern or not
"""
# NOTE: MuJoCo's gradient uses a sigmoid. Here we simplify
# and just use a linear gradient... We could change this
# to just use a tanh-sigmoid if needed.
bitmap = self.get_texture(name).bitmap
h, w = bitmap.shape[:2]
if vertical:
p = np.tile(np.linspace(0, 1, h)[:, None], (1, w))
else:
p = np.tile(np.linspace(0, 1, w), (h, 1))
new_bitmap = np.zeros_like(bitmap)
for i in range(3):
new_bitmap[..., i] = rgb2[i] * p + rgb1[i] * (1.0 - p)
self.set_texture(name, new_bitmap, perturb=perturb)
def set_rgb(self, name, rgb, perturb=False):
"""
Just set the texture bitmap for geom @name
to a constant rgb value.
Args:
name (str): Name of geom
rgb (3-array): desired (r,g,b) color
perturb (bool): Whether to perturb the resulting color pattern or not
"""
bitmap = self.get_texture(name).bitmap
new_bitmap = np.zeros_like(bitmap)
new_bitmap[..., :] = np.asarray(rgb)
self.set_texture(name, new_bitmap, perturb=perturb)
def set_noise(self, name, rgb1, rgb2, fraction=0.9, perturb=False):
"""
Sets the texture bitmap for geom @name to a noise pattern
Args:
name (str): name of geom
rgb1 (3-array): background color
rgb2 (3-array): color of random noise foreground color
fraction (float): fraction of pixels with foreground color
perturb (bool): Whether to perturb the resulting color pattern or not
"""
bitmap = self.get_texture(name).bitmap
h, w = bitmap.shape[:2]
mask = self.random_state.uniform(size=(h, w)) < fraction
new_bitmap = np.zeros_like(bitmap)
new_bitmap[..., :] = np.asarray(rgb1)
new_bitmap[mask, :] = np.asarray(rgb2)
self.set_texture(name, new_bitmap, perturb=perturb)
def upload_texture(self, name, device_id=0):
"""
Uploads the texture to the GPU so it's available in the rendering.
Args:
name (str): name of geom
"""
texture = self.get_texture(name)
if self.sim._render_context_offscreen is None:
render_context = MjRenderContextOffscreen(self.sim, device_id)
render_context.upload_texture(texture.id)
def _check_geom_for_texture(self, name):
"""
Helper function to determined if the geom @name has
an assigned material and that the material has
an assigned texture.
Args:
name (str): name of geom
Returns:
bool: True if specific geom has both material and texture associated, else False
"""
geom_id = self.model.geom_name2id(name)
mat_id = self.model.geom_matid[geom_id]
if mat_id < 0:
return False
tex_id = self.model.mat_texid[mat_id]
if tex_id < 0:
return False
return True
def _name_to_tex_id(self, name):
"""
Helper function to get texture id from geom name.
Args:
name (str): name of geom
Returns:
int: id of texture associated with geom
Raises:
AssertionError: [No texture associated with geom]
"""
# handle skybox separately
if name == "skybox":
skybox_tex_id = -1
for tex_id in range(self.model.ntex):
skybox_textype = 2
if self.model.tex_type[tex_id] == skybox_textype:
skybox_tex_id = tex_id
assert skybox_tex_id >= 0
return skybox_tex_id
assert self._check_geom_for_texture(name)
geom_id = self.model.geom_name2id(name)
mat_id = self.model.geom_matid[geom_id]
tex_id = self.model.mat_texid[mat_id]
return tex_id
def _name_to_mat_id(self, name):
"""
Helper function to get material id from geom name.
Args:
name (str): name of geom
Returns:
int: id of material associated with geom
Raises:
ValueError: [No material associated with skybox]
AssertionError: [No material associated with geom]
"""
# handle skybox separately
if name == "skybox":
raise ValueError("Error: skybox has no material!")
assert self._check_geom_for_texture(name)
geom_id = self.model.geom_name2id(name)
mat_id = self.model.geom_matid[geom_id]
return mat_id
def _cache_checker_matrices(self):
"""
Cache two matrices of the form [[1, 0, 1, ...],
[0, 1, 0, ...],
...]
and [[0, 1, 0, ...],
[1, 0, 1, ...],
...]
for each texture. To use for fast creation of checkerboard patterns
"""
self._texture_checker_mats = []
for tex_id in range(self.model.ntex):
texture = self.textures[tex_id]
h, w = texture.bitmap.shape[:2]
self._texture_checker_mats.append(self._make_checker_matrices(h, w))
def _make_checker_matrices(self, h, w):
"""
Helper function to quickly generate binary matrices used to create checker patterns
Args:
h (int): Desired height of matrices
w (int): Desired width of matrices
Returns:
2-tuple:
- (np.array): 2d-array representing first half of checker matrix
- (np.array): 2d-array representing second half of checker matrix
"""
re = np.r_[((w + 1) // 2) * [0, 1]]
ro = np.r_[((w + 1) // 2) * [1, 0]]
cbd1 = np.expand_dims(np.row_stack(((h + 1) // 2) * [re, ro]), -1)[:h, :w]
cbd2 = np.expand_dims(np.row_stack(((h + 1) // 2) * [ro, re]), -1)[:h, :w]
return cbd1, cbd2
# From mjtTexture
MJT_TEXTURE_ENUM = ["2d", "cube", "skybox"]
class Texture:
"""
Helper class for operating on the MuJoCo textures.
Args:
model (MjModel): Mujoco sim model
tex_id (int): id of specific texture in mujoco sim
"""
__slots__ = ["id", "type", "height", "width", "tex_adr", "tex_rgb"]
def __init__(self, model, tex_id):
self.id = tex_id
self.type = MJT_TEXTURE_ENUM[model.tex_type[tex_id]]
self.height = model.tex_height[tex_id]
self.width = model.tex_width[tex_id]
self.tex_adr = model.tex_adr[tex_id]
self.tex_rgb = model.tex_rgb
@property
def bitmap(self):
"""
Grabs color bitmap associated with this texture from the mujoco sim.
Returns:
np.array: 3d-array representing the rgb texture bitmap
"""
size = self.height * self.width * 3
data = self.tex_rgb[self.tex_adr : self.tex_adr + size]
return data.reshape((self.height, self.width, 3))
class DynamicsModder(BaseModder):
"""
Modder for various dynamics properties of the mujoco model, such as friction, damping, etc.
This can be used to modify parameters stored in MjModel (ie friction, damping, etc.) as
well as optimizer parameters stored in PyMjOption (i.e.: medium density, viscosity, etc.)
To modify a parameter, use the parameter to be changed as a keyword argument to
self.mod and the new value as the value for that argument. Supports arbitrary many
modifications in a single step. Example use:
sim = MjSim(...)
modder = DynamicsModder(sim)
modder.mod("element1_name", "attr1", new_value1)
modder.mod("element2_name", "attr2", new_value2)
...
modder.update()
NOTE: It is necessary to perform modder.update() after performing all modifications to make sure
the changes are propagated
NOTE: A full list of supported randomizable parameters can be seen by calling modder.dynamics_parameters
NOTE: When modifying parameters belonging to MjModel.opt (e.g.: density, viscosity), no name should
be specified (set it as None in mod(...)). This is because opt does not have a name attribute
associated with it
Args:
sim (MjSim): Mujoco sim instance
random_state (RandomState): instance of np.random.RandomState
randomize_density (bool): If True, randomizes global medium density
randomize_viscosity (bool): If True, randomizes global medium viscosity
density_perturbation_ratio (float): Relative (fraction) magnitude of default density randomization
viscosity_perturbation_ratio: Relative (fraction) magnitude of default viscosity randomization
body_names (None or list of str): list of bodies to use for randomization. If not provided, all
bodies in the model are randomized.
randomize_position (bool): If True, randomizes body positions
randomize_quaternion (bool): If True, randomizes body quaternions
randomize_inertia (bool): If True, randomizes body inertias (only applicable for non-zero mass bodies)
randomize_mass (bool): If True, randomizes body masses (only applicable for non-zero mass bodies)
position_perturbation_size (float): Magnitude of body position randomization
quaternion_perturbation_size (float): Magnitude of body quaternion randomization (angle in radians)
inertia_perturbation_ratio (float): Relative (fraction) magnitude of body inertia randomization
mass_perturbation_ratio (float): Relative (fraction) magnitude of body mass randomization
geom_names (None or list of str): list of geoms to use for randomization. If not provided, all
geoms in the model are randomized.
randomize_friction (bool): If True, randomizes geom frictions
randomize_solref (bool): If True, randomizes geom solrefs
randomize_solimp (bool): If True, randomizes geom solimps
friction_perturbation_ratio (float): Relative (fraction) magnitude of geom friction randomization
solref_perturbation_ratio (float): Relative (fraction) magnitude of geom solref randomization
solimp_perturbation_ratio (float): Relative (fraction) magnitude of geom solimp randomization
joint_names (None or list of str): list of joints to use for randomization. If not provided, all
joints in the model are randomized.
randomize_stiffness (bool): If True, randomizes joint stiffnesses
randomize_frictionloss (bool): If True, randomizes joint frictionlosses
randomize_damping (bool): If True, randomizes joint dampings
randomize_armature (bool): If True, randomizes joint armatures
stiffness_perturbation_ratio (float): Relative (fraction) magnitude of joint stiffness randomization
frictionloss_perturbation_size (float): Magnitude of joint frictionloss randomization
damping_perturbation_size (float): Magnitude of joint damping randomization
armature_perturbation_size (float): Magnitude of joint armature randomization
"""
def __init__(
self,
sim,
random_state=None,
# Opt parameters
randomize_density=True,
randomize_viscosity=True,
density_perturbation_ratio=0.1,
viscosity_perturbation_ratio=0.1,
# Body parameters
body_names=None,
randomize_position=True,
randomize_quaternion=True,
randomize_inertia=True,
randomize_mass=True,
position_perturbation_size=0.02,
quaternion_perturbation_size=0.02,
inertia_perturbation_ratio=0.02,
mass_perturbation_ratio=0.02,
# Geom parameters
geom_names=None,
randomize_friction=True,
randomize_solref=True,
randomize_solimp=True,
friction_perturbation_ratio=0.1,
solref_perturbation_ratio=0.1,
solimp_perturbation_ratio=0.1,
# Joint parameters
joint_names=None,
randomize_stiffness=True,
randomize_frictionloss=True,
randomize_damping=True,
randomize_armature=True,
stiffness_perturbation_ratio=0.1,
frictionloss_perturbation_size=0.05,
damping_perturbation_size=0.01,
armature_perturbation_size=0.01,
):
super().__init__(sim=sim, random_state=random_state)
# Setup relevant values
self.dummy_bodies = set()
# Find all bodies that don't have any mass associated with them
for body_name in self.sim.model.body_names:
body_id = self.sim.model.body_name2id(body_name)
if self.sim.model.body_mass[body_id] == 0:
self.dummy_bodies.add(body_name)
# Get all values to randomize
self.body_names = list(self.sim.model.body_names) if body_names is None else body_names
self.geom_names = list(self.sim.model.geom_names) if geom_names is None else geom_names
self.joint_names = list(self.sim.model.joint_names) if joint_names is None else joint_names
# Setup randomization settings
# Each dynamics randomization group has its set of randomizable parameters, each of which has
# its own settings ["randomize": whether its actively being randomized, "perturbation": the (potentially)
# relative magnitude of the randomization to use, "type": either "ratio" or "size" (relative or absolute
# perturbations), and "clip": (low, high) values to clip the final perturbed value by]
self.opt_randomizations = {
"density": {
"randomize": randomize_density,
"perturbation": density_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
"viscosity": {
"randomize": randomize_viscosity,
"perturbation": viscosity_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
}
self.body_randomizations = {
"position": {
"randomize": randomize_position,
"perturbation": position_perturbation_size,
"type": "size",
"clip": (-np.inf, np.inf),
},
"quaternion": {
"randomize": randomize_quaternion,
"perturbation": quaternion_perturbation_size,
"type": "size",
"clip": (-np.inf, np.inf),
},
"inertia": {
"randomize": randomize_inertia,
"perturbation": inertia_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
"mass": {
"randomize": randomize_mass,
"perturbation": mass_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
}
self.geom_randomizations = {
"friction": {
"randomize": randomize_friction,
"perturbation": friction_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
"solref": {
"randomize": randomize_solref,
"perturbation": solref_perturbation_ratio,
"type": "ratio",
"clip": (0.0, 1.0),
},
"solimp": {
"randomize": randomize_solimp,
"perturbation": solimp_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
}
self.joint_randomizations = {
"stiffness": {
"randomize": randomize_stiffness,
"perturbation": stiffness_perturbation_ratio,
"type": "ratio",
"clip": (0.0, np.inf),
},
"frictionloss": {
"randomize": randomize_frictionloss,
"perturbation": frictionloss_perturbation_size,
"type": "size",
"clip": (0.0, np.inf),
},
"damping": {
"randomize": randomize_damping,
"perturbation": damping_perturbation_size,
"type": "size",
"clip": (0.0, np.inf),
},
"armature": {
"randomize": randomize_armature,
"perturbation": armature_perturbation_size,
"type": "size",
"clip": (0.0, np.inf),
},
}
# Store defaults so we don't loss track of the original (non-perturbed) values
self.opt_defaults = None
self.body_defaults = None
self.geom_defaults = None
self.joint_defaults = None
self.save_defaults()
def save_defaults(self):
"""
Grabs the current values for all parameters in sim and stores them as default values
"""
self.opt_defaults = {
None: { # no name associated with the opt parameters
"density": self.sim.model.opt.density,
"viscosity": self.sim.model.opt.viscosity,
}
}
self.body_defaults = {}
for body_name in self.sim.model.body_names:
body_id = self.sim.model.body_name2id(body_name)
self.body_defaults[body_name] = {
"position": np.array(self.sim.model.body_pos[body_id]),
"quaternion": np.array(self.sim.model.body_quat[body_id]),
"inertia": np.array(self.sim.model.body_inertia[body_id]),
"mass": self.sim.model.body_mass[body_id],
}
self.geom_defaults = {}
for geom_name in self.sim.model.geom_names:
geom_id = self.sim.model.geom_name2id(geom_name)
self.geom_defaults[geom_name] = {
"friction": np.array(self.sim.model.geom_friction[geom_id]),
"solref": np.array(self.sim.model.geom_solref[geom_id]),
"solimp": np.array(self.sim.model.geom_solimp[geom_id]),
}
self.joint_defaults = {}
for joint_name in self.sim.model.joint_names:
joint_id = self.sim.model.joint_name2id(joint_name)
dof_idx = [i for i, v in enumerate(self.sim.model.dof_jntid) if v == joint_id]
self.joint_defaults[joint_name] = {
"stiffness": self.sim.model.jnt_stiffness[joint_id],
"frictionloss": np.array(self.sim.model.dof_frictionloss[dof_idx]),
"damping": np.array(self.sim.model.dof_damping[dof_idx]),
"armature": np.array(self.sim.model.dof_armature[dof_idx]),
}
def restore_defaults(self):
"""
Restores the default values curently saved in this modder
"""
# Loop through all defaults and set the default value in sim
for group_defaults in (self.opt_defaults, self.body_defaults, self.geom_defaults, self.joint_defaults):
for name, defaults in group_defaults.items():
for attr, default_val in defaults.items():
self.mod(name=name, attr=attr, val=default_val)
# Make sure changes propagate in sim
self.update()
def randomize(self):
"""
Randomizes all enabled dynamics parameters in the simulation
"""
for group_defaults, group_randomizations, group_randomize_names in zip(
(self.opt_defaults, self.body_defaults, self.geom_defaults, self.joint_defaults),
(self.opt_randomizations, self.body_randomizations, self.geom_randomizations, self.joint_randomizations),
([None], self.body_names, self.geom_names, self.joint_names),
):
for name in group_randomize_names:
# Randomize all parameters associated with this element
for attr, default_val in group_defaults[name].items():
val = copy.copy(default_val)
settings = group_randomizations[attr]
if settings["randomize"]:
# Randomize accordingly, and clip the final perturbed value
perturbation = np.random.rand() if type(val) in {int, float} else np.random.rand(*val.shape)
perturbation = settings["perturbation"] * (-1 + 2 * perturbation)
val = val + perturbation if settings["type"] == "size" else val * (1.0 + perturbation)
val = np.clip(val, *settings["clip"])
# Modify this value
self.mod(name=name, attr=attr, val=val)
# Make sure changes propagate in sim
self.update()
def update_sim(self, sim):
"""
In addition to super method, update internal default values to match the current values from
(the presumably new) @sim.
Args:
sim (MjSim): MjSim object
"""
super().update_sim(sim=sim)
self.save_defaults()
def update(self):
"""
Propagates the changes made up to this point through the simulation
"""
self.sim.forward()
def mod(self, name, attr, val):
"""
General method to modify dynamics parameter @attr to be new value @val, associated with element @name.
Args:
name (str): Name of element to modify parameter. This can be a body, geom, or joint name. If modifying
an opt parameter, this should be set to None
attr (str): Name of the dynamics parameter to modify. Valid options are self.dynamics_parameters
val (int or float or n-array): New value(s) to set for the given dynamics parameter. The type of this
argument should match the expected type for the given parameter.
"""
# Make sure specified parameter is valid, and then modify it
assert (
attr in self.dynamics_parameters
), "Invalid dynamics parameter specified! Supported parameters are: {};" " requested: {}".format(
self.dynamics_parameters, attr
)
# Modify the requested parameter (uses a clean way to programmatically call the appropriate method)
getattr(self, f"mod_{attr}")(name, val)
def mod_density(self, name=None, val=0.0):
"""
Modifies the global medium density of the simulation.
See http://www.mujoco.org/book/XMLreference.html#option for more details.
Args:
name (str): Name for this element. Should be left as None (opt has no name attribute)
val (float): New density value.
"""
# Make sure inputs are of correct form
assert name is None, "No name should be specified if modding density!"
# Modify this value
self.sim.model.opt.density = val
def mod_viscosity(self, name=None, val=0.0):
"""
Modifies the global medium viscosity of the simulation.
See http://www.mujoco.org/book/XMLreference.html#option for more details.
Args:
name (str): Name for this element. Should be left as None (opt has no name attribute)
val (float): New viscosity value.
"""
# Make sure inputs are of correct form
assert name is None, "No name should be specified if modding density!"
# Modify this value
self.sim.model.opt.viscosity = val
def mod_position(self, name, val=(0, 0, 0)):
"""
Modifies the @name's relative body position within the simulation.
See http://www.mujoco.org/book/XMLreference.html#body for more details.
Args:
name (str): Name for this element.
val (3-array): New (x, y, z) relative position.
"""
# Modify this value
body_id = self.sim.model.body_name2id(name)
self.sim.model.body_pos[body_id] = np.array(val)
def mod_quaternion(self, name, val=(1, 0, 0, 0)):
"""
Modifies the @name's relative body orientation (quaternion) within the simulation.
See http://www.mujoco.org/book/XMLreference.html#body for more details.
Note: This method automatically normalizes the inputted value.
Args:
name (str): Name for this element.
val (4-array): New (w, x, y, z) relative quaternion.
"""
# Normalize the inputted value
val = np.array(val) / np.linalg.norm(val)
# Modify this value
body_id = self.sim.model.body_name2id(name)
self.sim.model.body_quat[body_id] = val
def mod_inertia(self, name, val):
"""
Modifies the @name's relative body inertia within the simulation.
See http://www.mujoco.org/book/XMLreference.html#body for more details.
Args:
name (str): Name for this element.
val (3-array): New (ixx, iyy, izz) diagonal values in the inertia matrix.
"""
# Modify this value if it's not a dummy body
if name not in self.dummy_bodies:
body_id = self.sim.model.body_name2id(name)
self.sim.model.body_inertia[body_id] = np.array(val)
def mod_mass(self, name, val):
"""
Modifies the @name's mass within the simulation.
See http://www.mujoco.org/book/XMLreference.html#body for more details.
Args:
name (str): Name for this element.
val (float): New mass.
"""
# Modify this value if it's not a dummy body
if name not in self.dummy_bodies:
body_id = self.sim.model.body_name2id(name)
self.sim.model.body_mass[body_id] = val
def mod_friction(self, name, val):
"""
Modifies the @name's geom friction within the simulation.
See http://www.mujoco.org/book/XMLreference.html#geom for more details.
Args:
name (str): Name for this element.
val (3-array): New (sliding, torsional, rolling) friction values.
"""
# Modify this value
geom_id = self.sim.model.geom_name2id(name)
self.sim.model.geom_friction[geom_id] = np.array(val)
def mod_solref(self, name, val):
"""
Modifies the @name's geom contact solver parameters within the simulation.
See http://www.mujoco.org/book/modeling.html#CSolver for more details.
Args:
name (str): Name for this element.
val (2-array): New (timeconst, dampratio) solref values.
"""
# Modify this value
geom_id = self.sim.model.geom_name2id(name)
self.sim.model.geom_solref[geom_id] = np.array(val)
def mod_solimp(self, name, val):
"""
Modifies the @name's geom contact solver impedance parameters within the simulation.
See http://www.mujoco.org/book/modeling.html#CSolver for more details.
Args:
name (str): Name for this element.
val (5-array): New (dmin, dmax, width, midpoint, power) solimp values.
"""
# Modify this value
geom_id = self.sim.model.geom_name2id(name)
self.sim.model.geom_solimp[geom_id] = np.array(val)
def mod_stiffness(self, name, val):
"""
Modifies the @name's joint stiffness within the simulation.
See http://www.mujoco.org/book/XMLreference.html#joint for more details.
NOTE: If the stiffness is already at 0, we IGNORE this value since a non-stiff joint (i.e.: free-turning)
joint is fundamentally different than a stiffened joint)
Args:
name (str): Name for this element.
val (float): New stiffness.
"""
# Modify this value (only if there is stiffness to begin with)
jnt_id = self.sim.model.joint_name2id(name)
if self.sim.model.jnt_stiffness[jnt_id] != 0:
self.sim.model.jnt_stiffness[jnt_id] = val
def mod_frictionloss(self, name, val):
"""
Modifies the @name's joint frictionloss within the simulation.
See http://www.mujoco.org/book/XMLreference.html#joint for more details.
NOTE: If the requested joint is a free joint, it will be ignored since it does not
make physical sense to have friction loss associated with this joint (air drag / damping
is already captured implicitly by the medium density / viscosity values)
Args:
name (str): Name for this element.
val (float): New friction loss.
"""
# Modify this value (only if it's not a free joint)
jnt_id = self.sim.model.joint_name2id(name)
if self.sim.model.jnt_type[jnt_id] != 0:
dof_idx = [i for i, v in enumerate(self.sim.model.dof_jntid) if v == jnt_id]
self.sim.model.dof_frictionloss[dof_idx] = val
def mod_damping(self, name, val):
"""
Modifies the @name's joint damping within the simulation.
See http://www.mujoco.org/book/XMLreference.html#joint for more details.
NOTE: If the requested joint is a free joint, it will be ignored since it does not
make physical sense to have damping associated with this joint (air drag / damping
is already captured implicitly by the medium density / viscosity values)
Args:
name (str): Name for this element.
val (float): New damping.
"""
# Modify this value (only if it's not a free joint)
jnt_id = self.sim.model.joint_name2id(name)
if self.sim.model.jnt_type[jnt_id] != 0:
dof_idx = [i for i, v in enumerate(self.sim.model.dof_jntid) if v == jnt_id]
self.sim.model.dof_damping[dof_idx] = val
def mod_armature(self, name, val):
"""
Modifies the @name's joint armature within the simulation.
See http://www.mujoco.org/book/XMLreference.html#joint for more details.
Args:
name (str): Name for this element.
val (float): New armature.
"""
# Modify this value (only if it's not a free joint)
jnt_id = self.sim.model.joint_name2id(name)
if self.sim.model.jnt_type[jnt_id] != 0:
dof_idx = [i for i, v in enumerate(self.sim.model.dof_jntid) if v == jnt_id]
self.sim.model.dof_armature[dof_idx] = val
@property
def dynamics_parameters(self):
"""
Returns:
set: All dynamics parameters that can be randomized using this modder.
"""
return {
# Opt parameters
"density",
"viscosity",
# Body parameters
"position",
"quaternion",
"inertia",
"mass",
# Geom parameters
"friction",
"solref",
"solimp",
# Joint parameters
"stiffness",
"frictionloss",
"damping",
"armature",
}
@property
def opt(self):
"""
Returns:
PyMjOption: MjModel sim options
"""
return self.sim.model.opt