Spaces:
Sleeping
Sleeping
File size: 14,321 Bytes
b9f29f4 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 | """
SimWrapper β physics backend for RoboReplan.
Two modes:
use_stub=False Real MuJoCo + robosuite PickPlace environment.
Object positions, blocking, and grasp success come from
actual physics. This is what makes training meaningful.
use_stub=True Lightweight Python sim for fast local testing.
Same interface, no physics dependency.
The wrapper always exposes the same symbolic SimState so the planning
layer above never needs to know which backend is running.
"""
import random
import numpy as np
from dataclasses import dataclass, field
from typing import Optional
from .randomizer import randomize_scenario, ScenarioConfig
# ββ Symbolic state types βββββββββββββββββββββββββββββββββββββββββββββββ
@dataclass
class ObjectState:
name: str
pos: np.ndarray
reachable: bool = True
blocking: Optional[str] = None
in_bin: Optional[str] = None
is_held: bool = False
@dataclass
class SimState:
objects: dict = field(default_factory=dict)
gripper_pos: np.ndarray = field(default_factory=lambda: np.zeros(3))
gripper_open: bool = True
holding: Optional[str] = None
# ββ Main wrapper βββββββββββββββββββββββββββββββββββββββββββββββββββββββ
class SimWrapper:
"""
Wraps either robosuite (real) or a Python stub (fast testing).
Always produces symbolic SimState for the planning layer.
"""
def __init__(self, use_stub: bool = True):
self.use_stub = use_stub
self._env = None
self._controller = None
self._state = SimState()
self._last_moved_to: Optional[str] = None
self._current_cfg: Optional[ScenarioConfig] = None
self._facing: str = "N"
if not use_stub:
self._init_robosuite()
# ββ Init βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _init_robosuite(self):
"""
Initialize a real robosuite PickPlace environment.
We use PickPlace because it already has:
- Panda arm (most standard research robot)
- Multiple objects with real physics
- Multiple bin targets
- OSC_POSE controller (operational space β moves in Cartesian coords,
which our high-level controller can use directly)
"""
try:
import robosuite as suite
from robosuite.controllers import load_composite_controller_config
controller_config = load_composite_controller_config(controller="BASIC")
self._env = suite.make(
env_name="PickPlace",
robots="Panda",
controller_configs=controller_config,
has_renderer=False, # no display on server
has_offscreen_renderer=True, # needed for camera obs
use_camera_obs=True,
camera_names=["frontview", "agentview"],
camera_heights=128,
camera_widths=128,
reward_shaping=False, # we compute our own reward
control_freq=20,
single_object_mode=0, # all objects
object_type=None, # random objects
)
from .controller import MotionController
self._controller = MotionController(self._env)
print("[SimWrapper] robosuite PickPlace loaded (Panda arm)")
except ImportError:
print("[SimWrapper] robosuite not installed β falling back to stub")
self.use_stub = True
except Exception as e:
print(f"[SimWrapper] robosuite init failed: {e} β falling back to stub")
self.use_stub = True
# ββ Reset ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def reset(self, scenario: str = "random") -> tuple[SimState, ScenarioConfig]:
"""Reset scene. Returns (SimState, ScenarioConfig)."""
force_blocked = random.random() < 0.6
cfg = randomize_scenario(force_blocked=force_blocked)
if not self.use_stub and self._env is not None:
self._reset_robosuite(cfg)
else:
self._build_state_from_config(cfg)
return self._state, cfg
def _reset_robosuite(self, cfg: ScenarioConfig):
"""Reset robosuite and sync symbolic state from physics."""
obs = self._env.reset()
self._sync_state_from_obs(obs, cfg)
def _sync_state_from_obs(self, obs: dict, cfg: ScenarioConfig):
"""
Extract symbolic state from robosuite observation dict.
Uses the perception layer to detect blocking from real 3D positions.
"""
try:
from .perception import extract_scene
scene = extract_scene(
mj_data=self._env.sim.data,
mj_model=self._env.sim.model,
robot_name="robot0",
object_names=list(cfg.objects),
)
objects = {}
for name, p in scene.objects.items():
objects[name] = ObjectState(
name=name,
pos=p.pos,
reachable=p.reachable,
blocking=p.blocking,
in_bin=p.in_bin,
is_held=p.is_held,
)
self._state = SimState(
objects=objects,
gripper_pos=scene.gripper_pos,
gripper_open=scene.gripper_open,
holding=scene.holding,
)
except Exception as e:
print(f"[SimWrapper] perception sync failed: {e}, using stub fallback")
self._build_state_from_config(cfg)
self._current_cfg = cfg
# ββ Stub state builder βββββββββββββββββββββββββββββββββββββββββββββ
def get_last_moved_to(self) -> Optional[str]:
return self._last_moved_to
def _build_state_from_config(self, cfg: ScenarioConfig):
"""Build stub SimState from randomized scenario config."""
self._last_moved_to = None
self._facing = "N"
objects = {}
for obj_name in cfg.objects:
x, y = cfg.positions.get(obj_name, (0.0, 0.0))
is_blocked = obj_name in cfg.blockers.values()
objects[obj_name] = ObjectState(
name=obj_name,
pos=np.array([x, y, 0.82]),
reachable=not is_blocked,
blocking=cfg.blockers.get(obj_name),
)
self._state = SimState(
objects=objects,
gripper_pos=np.array([0.0, 0.25, 1.0]),
gripper_open=True,
holding=None,
)
self._current_cfg = cfg
def get_facing(self) -> str:
return self._facing
def _cell_from_pos(self, pos: np.ndarray) -> tuple[int, int]:
x = int(round(float(pos[0]) / 0.1))
y = int(round(float(pos[1]) / 0.1))
return max(-3, min(3, x)), max(-3, min(3, y))
def _step_gripper(self, dx: int, dy: int) -> None:
s = self._state
cell_x, cell_y = self._cell_from_pos(s.gripper_pos)
nx = max(-3, min(3, cell_x + dx))
ny = max(-3, min(3, cell_y + dy))
s.gripper_pos = np.array([nx * 0.1, ny * 0.1, s.gripper_pos[2]])
def _rotate(self, clockwise: bool) -> None:
dirs = ["N", "E", "S", "W"]
idx = dirs.index(self._facing)
self._facing = dirs[(idx + (1 if clockwise else -1)) % 4]
def _is_adjacent(self, obj: ObjectState) -> bool:
gx, gy = self._cell_from_pos(self._state.gripper_pos)
ox, oy = self._cell_from_pos(obj.pos)
return abs(gx - ox) + abs(gy - oy) <= 1
# ββ Execute action βββββββββββββββββββββββββββββββββββββββββββββββββ
def execute(self, action: str) -> str:
"""Execute a high-level action. Returns result string."""
if not self.use_stub and self._env is not None and self._controller is not None:
return self._execute_real(action)
return self._execute_stub(action)
def _execute_real(self, action: str) -> str:
"""Execute via real robosuite physics + motion controller."""
result = self._controller.execute(action)
# Re-sync symbolic state from physics
obs = self._env._get_observations()
if self._current_cfg:
self._sync_state_from_obs(obs, self._current_cfg)
return result
def _execute_stub(self, action: str) -> str:
"""Execute in the lightweight Python stub."""
s = self._state
if action == "SCAN_SCENE":
return "SUCCESS"
elif action == "MOVE_NORTH":
self._step_gripper(0, 1)
return "SUCCESS"
elif action == "MOVE_SOUTH":
self._step_gripper(0, -1)
return "SUCCESS"
elif action == "MOVE_EAST":
self._step_gripper(1, 0)
return "SUCCESS"
elif action == "MOVE_WEST":
self._step_gripper(-1, 0)
return "SUCCESS"
elif action == "ROTATE_LEFT":
self._rotate(clockwise=False)
return "SUCCESS"
elif action == "ROTATE_RIGHT":
self._rotate(clockwise=True)
return "SUCCESS"
elif action.startswith("MOVE_TO_"):
color = action[len("MOVE_TO_"):].lower()
# Try "<color>_block" first (default pack), then bare name (professional packs)
name = color + "_block" if (color + "_block") in s.objects else color
if name not in s.objects:
return "FAILED_INVALID"
obj = s.objects[name]
if not obj.reachable:
return "FAILED_BLOCKED"
s.gripper_pos = obj.pos.copy() + np.array([0, 0, 0.05])
self._last_moved_to = name
return "SUCCESS"
elif action == "PICK":
if s.holding is not None:
return "FAILED_INVALID"
candidates = []
for obj in s.objects.values():
if obj.reachable and not obj.is_held and obj.in_bin is None:
dist = np.linalg.norm(s.gripper_pos[:2] - obj.pos[:2])
candidates.append((dist, obj))
# Prefer the object we last moved to
candidates.sort(key=lambda x: (
0 if x[1].name == self._last_moved_to else 1, x[0]
))
for _, obj in candidates:
dist = np.linalg.norm(s.gripper_pos[:2] - obj.pos[:2])
if dist < 0.25:
obj.is_held = True
s.holding = obj.name
s.gripper_open = False
self._last_moved_to = None
return "SUCCESS"
return "FAILED_EMPTY"
elif action in ("PLACE_BIN_A", "PLACE_BIN_B"):
if s.holding is None:
return "FAILED_EMPTY"
bin_name = "A" if action == "PLACE_BIN_A" else "B"
obj = s.objects[s.holding]
# If this object was blocking something, reveal that target now.
if obj.blocking and obj.blocking in s.objects:
s.objects[obj.blocking].reachable = True
obj.blocking = None
obj.in_bin = bin_name
obj.is_held = False
obj.reachable = False
s.holding = None
s.gripper_open = True
return "SUCCESS"
elif action == "CLEAR_BLOCKER":
for obj in s.objects.values():
if obj.blocking is not None and obj.reachable:
blocked_name = obj.blocking
obj.blocking = None
obj.pos = obj.pos + np.array([0.28, 0.1, 0])
if blocked_name in s.objects:
s.objects[blocked_name].reachable = True
return "SUCCESS"
return "FAILED_INVALID"
return "FAILED_INVALID"
def get_state(self) -> SimState:
return self._state
def get_camera_obs(self) -> Optional[dict]:
"""
Return camera observations + vision-extracted symbolic state.
Stub mode: returns None (symbolic state comes from sim config directly)
Real mode: returns RGB images + runs vision.py to extract object positions
The planning layer above never needs to know which path ran β
it always receives the same symbolic SimState either way.
"""
if self.use_stub:
return None # stub: symbolic state already in self._state, no camera needed
if self._env is not None:
obs = self._env._get_observations()
rgb_front = obs.get("frontview_image")
rgb_agent = obs.get("agentview_image")
# Run vision pipeline to get symbolic state from images
if rgb_front is not None and self._current_cfg is not None:
from .vision import sim_vision
vision_result = sim_vision(rgb_front)
# Merge detected positions back into symbolic state
# (perception layer updates what was set from physics)
for det in vision_result.detected_objects:
name = det["name"]
if name in self._state.objects:
self._state.objects[name].pos = np.array([det["x"], det["y"], det["z"]])
return {"frontview": rgb_front, "agentview": rgb_agent}
# ββ Re-exports βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
__all__ = ["SimWrapper", "SimState", "ObjectState"]
|