forked from tangger/lerobot
237 lines
8.5 KiB
Python
237 lines
8.5 KiB
Python
#!/usr/bin/env python
|
|
|
|
# Copyright 2025 The HuggingFace Inc. team. All rights reserved.
|
|
#
|
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
|
# you may not use this file except in compliance with the License.
|
|
# You may obtain a copy of the License at
|
|
#
|
|
# http://www.apache.org/licenses/LICENSE-2.0
|
|
#
|
|
# Unless required by applicable law or agreed to in writing, software
|
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
# See the License for the specific language governing permissions and
|
|
# limitations under the License.
|
|
|
|
import logging
|
|
import threading
|
|
import time
|
|
from pprint import pformat
|
|
|
|
import serial
|
|
|
|
from lerobot.common.errors import DeviceAlreadyConnectedError, DeviceNotConnectedError
|
|
from lerobot.common.motors.motors_bus import MotorCalibration, MotorNormMode
|
|
from lerobot.common.utils.utils import enter_pressed, move_cursor_up
|
|
|
|
from ..teleoperator import Teleoperator
|
|
from .config_homonculus import HomonculusArmConfig
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
class HomonculusArm(Teleoperator):
|
|
"""
|
|
Homonculus Arm designed by Hugging Face.
|
|
"""
|
|
|
|
config_class = HomonculusArmConfig
|
|
name = "homonculus_arm"
|
|
|
|
def __init__(self, config: HomonculusArmConfig):
|
|
super().__init__(config)
|
|
self.config = config
|
|
self.serial = serial.Serial(config.port, config.baud_rate, timeout=1)
|
|
|
|
self.joints = {
|
|
"shoulder_pitch": MotorNormMode.RANGE_M100_100,
|
|
"shoulder_yaw": MotorNormMode.RANGE_M100_100,
|
|
"shoulder_roll": MotorNormMode.RANGE_M100_100,
|
|
"elbow_flex": MotorNormMode.RANGE_M100_100,
|
|
"wrist_roll": MotorNormMode.RANGE_M100_100,
|
|
"wrist_yaw": MotorNormMode.RANGE_M100_100,
|
|
"wrist_pitch": MotorNormMode.RANGE_M100_100,
|
|
}
|
|
self.thread = threading.Thread(target=self._async_read, daemon=True, name=f"{self} _async_read")
|
|
self._lock = threading.Lock()
|
|
|
|
@property
|
|
def action_features(self) -> dict:
|
|
return {f"{joint}.pos": float for joint in self.joints}
|
|
|
|
@property
|
|
def feedback_features(self) -> dict:
|
|
return {}
|
|
|
|
@property
|
|
def is_connected(self) -> bool:
|
|
return self.thread.is_alive() and self.serial.is_open
|
|
|
|
def connect(self) -> None:
|
|
if self.is_connected:
|
|
raise DeviceAlreadyConnectedError(f"{self} already connected")
|
|
|
|
if not self.serial.is_open:
|
|
self.serial.open()
|
|
self.thread.start()
|
|
time.sleep(1) # gives time for the thread to ramp up
|
|
logger.info(f"{self} connected.")
|
|
|
|
@property
|
|
def is_calibrated(self) -> bool:
|
|
return self.calibration_fpath.is_file()
|
|
|
|
def calibrate(self) -> None:
|
|
print(
|
|
"\nMove all joints through their entire range of motion."
|
|
"\nRecording positions. Press ENTER to stop..."
|
|
)
|
|
range_mins, range_maxes = self._record_ranges_of_motion()
|
|
|
|
self.calibration = {}
|
|
for id_, joint in enumerate(self.joints):
|
|
self.calibration[joint] = MotorCalibration(
|
|
id=id_,
|
|
drive_mode=0,
|
|
homing_offset=0,
|
|
range_min=range_mins[joint],
|
|
range_max=range_maxes[joint],
|
|
)
|
|
|
|
self._save_calibration()
|
|
print("Calibration saved to", self.calibration_fpath)
|
|
|
|
def _record_ranges_of_motion(
|
|
self, joints: list[str] | None = None, display_values: bool = True
|
|
) -> tuple[dict[str, int], dict[str, int]]:
|
|
"""Interactively record the min/max encoder values of each joint.
|
|
|
|
Move the joints while the method streams live positions. Press :kbd:`Enter` to finish.
|
|
|
|
Args:
|
|
joints (list[str] | None, optional): Joints to record. Defaults to every joint (`None`).
|
|
display_values (bool, optional): When `True` (default) a live table is printed to the console.
|
|
|
|
Raises:
|
|
TypeError: `joints` is not `None` or a list.
|
|
ValueError: any joint's recorded min and max are the same.
|
|
|
|
Returns:
|
|
tuple[dict[str, int], dict[str, int]]: Two dictionaries *mins* and *maxes* with the extreme values
|
|
observed for each joint.
|
|
"""
|
|
if joints is None:
|
|
joints = list(self.joints)
|
|
elif not isinstance(joints, list):
|
|
raise TypeError(joints)
|
|
|
|
start_positions = self._read(joints, normalize=False)
|
|
mins = start_positions.copy()
|
|
maxes = start_positions.copy()
|
|
while True:
|
|
positions = self._read(joints, normalize=False)
|
|
mins = {joint: min(positions[joint], min_) for joint, min_ in mins.items()}
|
|
maxes = {joint: max(positions[joint], max_) for joint, max_ in maxes.items()}
|
|
|
|
if display_values:
|
|
print("\n-------------------------------------------")
|
|
print(f"{'NAME':<15} | {'MIN':>6} | {'POS':>6} | {'MAX':>6}")
|
|
for joint in joints:
|
|
print(f"{joint:<15} | {mins[joint]:>6} | {positions[joint]:>6} | {maxes[joint]:>6}")
|
|
|
|
if enter_pressed():
|
|
break
|
|
|
|
if display_values:
|
|
# Move cursor up to overwrite the previous output
|
|
move_cursor_up(len(joints) + 3)
|
|
|
|
same_min_max = [joint for joint in joints if mins[joint] == maxes[joint]]
|
|
if same_min_max:
|
|
raise ValueError(f"Some joints have the same min and max values:\n{pformat(same_min_max)}")
|
|
|
|
return mins, maxes
|
|
|
|
def configure(self) -> None:
|
|
pass
|
|
|
|
def _normalize(self, values: dict[str, int], joints: list[str] | None = None):
|
|
if not self.calibration:
|
|
raise RuntimeError(f"{self} has no calibration registered.")
|
|
|
|
normalized_values = {}
|
|
for joint, val in values.items():
|
|
min_ = self.calibration[joint].range_min
|
|
max_ = self.calibration[joint].range_max
|
|
drive_mode = self.calibration[joint].drive_mode
|
|
bounded_val = min(max_, max(min_, val))
|
|
|
|
if self.joints[joint] is MotorNormMode.RANGE_M100_100:
|
|
norm = (((bounded_val - min_) / (max_ - min_)) * 200) - 100
|
|
normalized_values[joint] = -norm if drive_mode else norm
|
|
elif self.joints[joint] is MotorNormMode.RANGE_0_100:
|
|
norm = ((bounded_val - min_) / (max_ - min_)) * 100
|
|
normalized_values[joint] = 100 - norm if drive_mode else norm
|
|
|
|
return normalized_values
|
|
|
|
def _read(self, joints: list[str] | None = None, normalize: bool = True) -> dict[str, int | float]:
|
|
"""
|
|
Return the most recent (single) values from self.last_d,
|
|
optionally applying calibration.
|
|
"""
|
|
with self._lock:
|
|
state = self._state
|
|
|
|
if joints is not None:
|
|
state = {k: v for k, v in state.items() if k in joints}
|
|
|
|
if normalize:
|
|
state = self._normalize(state, joints)
|
|
|
|
return state
|
|
|
|
def _async_read(self):
|
|
"""
|
|
Continuously read from the serial buffer in its own thread and sends values to the main thread through
|
|
a queue.
|
|
"""
|
|
while True:
|
|
if self.serial.in_waiting > 0:
|
|
self.serial.flush()
|
|
raw_values = self.serial.readline().decode("utf-8").strip().split(" ")
|
|
if len(raw_values) != 21: # 16 raw + 5 angle values
|
|
continue
|
|
|
|
try:
|
|
joint_angles = {
|
|
"shoulder_pitch": int(raw_values[19]),
|
|
"shoulder_yaw": int(raw_values[18]),
|
|
"shoulder_roll": int(raw_values[20]),
|
|
"elbow_flex": int(raw_values[17]),
|
|
"wrist_roll": int(raw_values[16]),
|
|
"wrist_yaw": int(raw_values[1]),
|
|
"wrist_pitch": int(raw_values[0]),
|
|
}
|
|
except ValueError:
|
|
continue
|
|
|
|
with self._lock:
|
|
self._state = joint_angles
|
|
|
|
def get_action(self) -> dict[str, float]:
|
|
joint_positions = self._read()
|
|
return {f"{joint}.pos": pos for joint, pos in joint_positions.items()}
|
|
|
|
def send_feedback(self, feedback: dict[str, float]) -> None:
|
|
raise NotImplementedError
|
|
|
|
def disconnect(self) -> None:
|
|
if not self.is_connected:
|
|
DeviceNotConnectedError(f"{self} is not connected.")
|
|
|
|
self.thread.join(timeout=0.5)
|
|
self.serial.close()
|
|
logger.info(f"{self} disconnected.")
|