File size: 11,491 Bytes
06c11b0 | 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 | # -*- coding: utf-8 -*-
"""
test_obs_numpy.py
===================
Integration test: Directly call the real environment + unified temporary dataset generated at test runtime,
test the native type conversions inside DemonstrationWrapper._augment_obs_and_info
and whether the output types and shapes of obs/info fields are correct under the four ActionSpaces.
Covered ActionSpaces:
joint_angle / ee_pose / waypoint / multi_choice
Asserts content:
1. Returned dtype complies with specifications (e.g. uint8, int16, float32, float64, etc.)
2. Non-Tensor field types in info meet expectations
Run (must use uv):
cd /data/hongzefu/robomme_benchmark
uv run python -m pytest tests/dataset/test_obs_numpy.py -v -s
"""
from __future__ import annotations
import sys
from pathlib import Path
from typing import Any, Literal, Optional
import numpy as np
import pytest
from tests._shared.repo_paths import find_repo_root
# Ensure src path can be found
pytestmark = pytest.mark.dataset
_PROJECT_ROOT = find_repo_root(__file__)
sys.path.insert(0, str(_PROJECT_ROOT / "src"))
from robomme.robomme_env import * # noqa: F401,F403 Register all custom environments
from robomme.robomme_env.utils import * # noqa: F401,F403
from robomme.env_record_wrapper import BenchmarkEnvBuilder, EpisodeDatasetResolver
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Configuration
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
TEST_ENV_ID = "VideoUnmaskSwap"
TEST_EPISODE = 0
MAX_STEPS_PER_ACTION_SPACE = 3 # Max steps to verify per ActionSpace
MAX_STEPS_ENV = 1000
ActionSpaceType = Literal["joint_angle", "ee_pose", "waypoint", "multi_choice"]
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Assertion helpers
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _assert_ndarray(val: Any, dtype: np.dtype, tag: str) -> None:
assert isinstance(val, np.ndarray), (
f"[{tag}] expected ndarray, got {type(val).__name__}"
)
assert val.dtype == dtype, (
f"[{tag}] expected dtype={dtype}, got {val.dtype}"
)
def _assert_ndarray_loose(val: Any, tag: str) -> None:
"""Only assert it is an ndarray, do not check specific dtype."""
assert isinstance(val, np.ndarray), (
f"[{tag}] expected ndarray, got {type(val).__name__}"
)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Core assertion: native output type is correct
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def assert_obs(obs: dict, tag: str) -> None:
"""Assert obs output dtype is correct and shape matches expectation."""
n = len(obs.get("front_rgb_list", []))
assert n > 0, f"[{tag}] obs front_rgb_list is empty"
for i in range(n):
pfx = f"{tag}[{i}]"
# ββ RGB β uint8 βββββββββββββββββββββββββββββββββββββββββββββββββββ
for key, dtype in (("front_rgb_list", np.uint8), ("wrist_rgb_list", np.uint8)):
_assert_ndarray(obs[key][i], dtype, f"{pfx} {key}")
# ββ Depth β int16 βββββββββββββββββββββββββββββββββββββββββββββββββ
for key, dtype in (("front_depth_list", np.int16), ("wrist_depth_list", np.int16)):
_assert_ndarray(obs[key][i], dtype, f"{pfx} {key}")
# ββ eef_state_list β float64, shape (6,) βββββββββββββββββββββββββ
eef_state = obs["eef_state_list"][i]
_assert_ndarray(eef_state, np.float64, f"{pfx} eef_state_list")
assert eef_state.shape == (6,), (
f"[{pfx} eef_state_list] expected shape (6,), got {eef_state.shape}"
)
# ββ joint_state_list β ndarray (shape unchanged) βββββββββββββββββββββββ
_assert_ndarray_loose(obs["joint_state_list"][i], f"{pfx} joint_state_list")
# ββ gripper_state_list β ndarray (shape unchanged) βββββββββββββββββββββ
_assert_ndarray_loose(obs["gripper_state_list"][i], f"{pfx} gripper_state_list")
# ββ camera extrinsics β float32, shape (3,4) βββββββββββββββββββββββ
for key in ("front_camera_extrinsic_list", "wrist_camera_extrinsic_list"):
_assert_ndarray(obs[key][i], np.float32, f"{pfx} {key}")
assert obs[key][i].shape == (3, 4), (
f"[{pfx} {key}] expected (3, 4), got {obs[key][i].shape}"
)
def assert_info(info: dict, tag: str) -> None:
"""Assert the dtypes of info output fields are correct."""
for key in ("front_camera_intrinsic", "wrist_camera_intrinsic"):
assert key in info, f"[{tag}] info missing key '{key}'"
_assert_ndarray(info[key], np.float32, f"{tag} info['{key}']")
assert info[key].shape == (3, 3), (
f"[{tag} info['{key}']] expected (3, 3), got {info[key].shape}"
)
# Non-Tensor field types unchanged
task_goal = info.get("task_goal")
assert isinstance(task_goal, (str, list, type(None))), (
f"[{tag}] info['task_goal'] unexpected type {type(task_goal)}"
)
status = info.get("status")
assert isinstance(status, (str, type(None))), (
f"[{tag}] info['status'] unexpected type {type(status)}"
)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Full episode test for a single ActionSpace
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _parse_oracle_command(choice_action: Optional[Any]) -> Optional[dict]:
"""Oracle command parsing consistent with dataset_replayβprintType.py."""
if not isinstance(choice_action, dict):
return None
choice = choice_action.get("choice")
if not isinstance(choice, str) or not choice.strip():
return None
if "point" not in choice_action:
return None
return {"choice": choice_action.get("choice"), "point": choice_action.get("point")}
def run_one_action_space(action_space: ActionSpaceType, dataset_root: str | Path) -> None:
print(f"\n{'='*60}")
print(f"[TEST] ActionSpace = {action_space}")
print(f"{'='*60}")
# multi_choice uses OraclePlannerDemonstrationWrapper,
# BenchmarkEnvBuilder directly uses unified action_space naming.
env_builder = BenchmarkEnvBuilder(
env_id=TEST_ENV_ID,
dataset="train",
action_space=action_space,
gui_render=False,
)
env = env_builder.make_env_for_episode(
TEST_EPISODE,
max_steps=MAX_STEPS_ENV,
include_maniskill_obs=True,
include_front_depth=True,
include_wrist_depth=True,
include_front_camera_extrinsic=True,
include_wrist_camera_extrinsic=True,
include_available_multi_choices=True,
include_front_camera_intrinsic=True,
include_wrist_camera_intrinsic=True,
)
dataset_resolver = EpisodeDatasetResolver(
env_id=TEST_ENV_ID,
episode=TEST_EPISODE,
dataset_directory=str(dataset_root),
)
# ββ RESET ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
obs, info = env.reset()
reset_tag = f"{TEST_ENV_ID} ep{TEST_EPISODE} RESET [{action_space}]"
assert_obs(obs, reset_tag)
assert_info(info, reset_tag)
print(f" RESET assertion passed (obs list len={len(obs['front_rgb_list'])}, dtype β)")
# ββ STEP LOOP ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
step = 0
while step < MAX_STEPS_PER_ACTION_SPACE:
replay_key = action_space
action = dataset_resolver.get_step(replay_key, step)
if action_space == "multi_choice":
action = _parse_oracle_command(action)
if action is None:
print(f" step {step}: action=None (dataset ended), breaking out")
break
obs, reward, terminated, truncated, info = env.step(action)
step_tag = f"{TEST_ENV_ID} ep{TEST_EPISODE} STEP{step} [{action_space}]"
assert_obs(obs, step_tag)
assert_info(info, step_tag)
print(f" STEP {step} assertion passed (obs list len={len(obs['front_rgb_list'])}, dtype β)")
terminated_flag = bool(terminated.item())
truncated_flag = bool(truncated.item())
step += 1
if terminated_flag or truncated_flag:
print(f" terminated={terminated_flag} truncated={truncated_flag}, exiting early")
break
env.close()
print(f" [{action_space}] β All assertions passed (total {step} steps)")
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Entry point
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
ACTION_SPACES: list[ActionSpaceType] = [
"joint_angle",
"ee_pose",
"waypoint",
"multi_choice",
]
@pytest.mark.parametrize("action_space", ACTION_SPACES)
def test_obs_numpy_action_space(action_space: ActionSpaceType, video_unmaskswap_train_ep0_dataset) -> None:
run_one_action_space(action_space, video_unmaskswap_train_ep0_dataset.resolver_dataset_dir)
def main() -> None:
print("test_obs_numpy main() now relies on pytest fixture-generated dataset.")
print("Run with: uv run python -m pytest tests/dataset/test_obs_numpy.py -v -s")
sys.exit(2)
if __name__ == "__main__":
main()
|