Spaces:
Running
Running
File size: 11,180 Bytes
18b0fa5 3aea7c6 18b0fa5 |
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 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 |
import type {
MasterDriver,
ConnectionStatus,
RobotCommand,
CommandSequence,
USBMasterConfig,
CommandCallback,
SequenceCallback,
StatusChangeCallback,
UnsubscribeFn
} from "$lib/types/robotDriver";
import { getRobotPollingConfig, getDataProcessingConfig } from "$lib/configs/performanceConfig";
import { scsServoSDKUnlock } from "feetech.js";
/**
* USB Master Driver
* Reads positions from a physical USB robot and forwards movements to slaves
* Allows physical robot to act as a master controller for digital twins and other robots
*/
export class USBMaster implements MasterDriver {
readonly type = "master" as const;
readonly id: string;
readonly name: string;
private _status: ConnectionStatus = { isConnected: false };
private config: USBMasterConfig;
// Robot joint configuration
private jointIds: number[] = [1, 2, 3, 4, 5, 6]; // Default servo IDs for so-arm100
private jointNames: string[] = ["Rotation", "Pitch", "Elbow", "Wrist_Pitch", "Wrist_Roll", "Jaw"];
private lastPositions: Map<number, number> = new Map();
private restPositions: Map<number, number> = new Map(); // Store initial rest positions
private positionHistory: Map<number, number[]> = new Map();
// Polling control
private pollingInterval?: number;
private isPolling = false;
private isPaused = false;
private isReading = false; // Prevent concurrent reads
// Event callbacks
private commandCallbacks: CommandCallback[] = [];
private sequenceCallbacks: SequenceCallback[] = [];
private statusCallbacks: StatusChangeCallback[] = [];
constructor(config: USBMasterConfig) {
this.config = config;
this.id = `usb-master-${Date.now()}`;
this.name = `USB Master Robot`;
// Initialize position tracking
this.jointIds.forEach((id) => {
this.lastPositions.set(id, 2048); // Center position (will be updated on connect)
this.restPositions.set(id, 2048); // Rest position baseline (will be updated on connect)
this.positionHistory.set(id, []);
});
console.log(`๐ Created USBMaster with ${this.jointIds.length} joints (unlock mode)`);
}
get status(): ConnectionStatus {
return this._status;
}
async connect(): Promise<void> {
console.log(`๐ Connecting ${this.name} to USB robot...`);
try {
// Connect to USB robot
await scsServoSDKUnlock.connect({
baudRate: this.config.baudRate || 1000000,
protocolEnd: 0
});
// Read initial positions
await this.readInitialPositions();
this._status = {
isConnected: true,
lastConnected: new Date(),
error: undefined
};
this.notifyStatusChange();
console.log(`โ
${this.name} connected successfully`);
} catch (error) {
this._status = {
isConnected: false,
error: `Connection failed: ${error}`
};
this.notifyStatusChange();
throw error;
}
}
async disconnect(): Promise<void> {
console.log(`๐ Disconnecting ${this.name}...`);
this.stopPolling();
if (scsServoSDKUnlock && this._status.isConnected) {
try {
await scsServoSDKUnlock.disconnect();
} catch (error) {
console.warn("Error disconnecting USB robot:", error);
}
}
this._status = { isConnected: false };
this.notifyStatusChange();
console.log(`โ
${this.name} disconnected`);
}
async start(): Promise<void> {
if (!this._status.isConnected) {
throw new Error("Cannot start: USB master not connected");
}
console.log(`๐ฎ Starting USB master polling...`);
this.startPolling();
}
async stop(): Promise<void> {
console.log(`โน๏ธ Stopping USB master polling...`);
this.stopPolling();
}
async pause(): Promise<void> {
console.log(`โธ๏ธ Pausing USB master polling...`);
this.isPaused = true;
}
async resume(): Promise<void> {
console.log(`โถ๏ธ Resuming USB master polling...`);
this.isPaused = false;
}
// Event subscription methods
onCommand(callback: CommandCallback): UnsubscribeFn {
this.commandCallbacks.push(callback);
return () => {
const index = this.commandCallbacks.indexOf(callback);
if (index >= 0) {
this.commandCallbacks.splice(index, 1);
}
};
}
onSequence(callback: SequenceCallback): UnsubscribeFn {
this.sequenceCallbacks.push(callback);
return () => {
const index = this.sequenceCallbacks.indexOf(callback);
if (index >= 0) {
this.sequenceCallbacks.splice(index, 1);
}
};
}
onStatusChange(callback: StatusChangeCallback): UnsubscribeFn {
this.statusCallbacks.push(callback);
return () => {
const index = this.statusCallbacks.indexOf(callback);
if (index >= 0) {
this.statusCallbacks.splice(index, 1);
}
};
}
// Private methods
private async readInitialPositions(): Promise<void> {
if (!scsServoSDKUnlock) return;
try {
console.log("๐ Reading initial REST positions from USB robot (individual reads)...");
let successCount = 0;
for (const servoId of this.jointIds) {
try {
const position = await scsServoSDKUnlock.readPosition(servoId);
// Store as both last position and rest position baseline
this.lastPositions.set(servoId, position);
this.restPositions.set(servoId, position);
console.log(`Joint ${servoId}: REST position = ${position} (servo units)`);
successCount++;
} catch (err) {
console.warn(`Failed to read servo ${servoId}:`, err);
// Keep default center positions for failed reads
}
}
console.log(`๐ Successfully read ${successCount}/${this.jointIds.length} REST positions`);
console.log("๐ Robot is now calibrated to REST position baseline");
} catch (error) {
console.warn("Could not read initial positions:", error);
console.log("๐ Using default center positions as REST baseline");
}
}
private startPolling(): void {
if (this.isPolling) return;
this.isPolling = true;
// Use performance config instead of hardcoded value
const pollInterval =
this.config.pollInterval || getRobotPollingConfig().USB_MASTER_POLL_INTERVAL_MS;
this.pollingInterval = setInterval(async () => {
if (this.isPaused || !this._status.isConnected || this.isReading) return;
try {
await this.pollRobotPositions();
} catch (error) {
console.error("Error polling robot positions:", error);
// Handle connection errors
if (error instanceof Error && error.message?.includes("Not connected")) {
this._status = {
isConnected: false,
error: `Connection lost: ${error.message}`
};
this.notifyStatusChange();
this.stopPolling();
}
}
}, pollInterval);
console.log(`๐ USB master polling started (${pollInterval}ms interval)`);
}
private stopPolling(): void {
if (this.pollingInterval) {
clearInterval(this.pollingInterval);
this.pollingInterval = undefined;
}
this.isPolling = false;
}
private async pollRobotPositions(): Promise<void> {
if (!scsServoSDKUnlock || this.isReading) return;
this.isReading = true; // Prevent concurrent reads
try {
const currentPositions: Map<number, number> = new Map();
const changedJoints: { name: string; value: number }[] = [];
let validReads = 0;
// Read all servo positions
for (const servoId of this.jointIds) {
try {
const position = await scsServoSDKUnlock.readPosition(servoId);
if (position !== null && position !== undefined) {
currentPositions.set(servoId, position);
validReads++;
}
} catch {
// Skip individual servo read errors
}
}
currentPositions.forEach((position: number, servoId: number) => {
// Process all readings - position 0 is valid
const lastPosition = this.lastPositions.get(servoId) || 2048;
// Use performance config for threshold
const threshold = getDataProcessingConfig().ENABLE_SMOOTHING
? getRobotPollingConfig().POSITION_CHANGE_THRESHOLD
: 1; // Maximum sensitivity when smoothing disabled
if (Math.abs(position - lastPosition) > threshold) {
const jointIndex = this.jointIds.indexOf(servoId);
if (jointIndex >= 0) {
const jointName = this.jointNames[jointIndex];
const degrees = this.servoToRelativeDegrees(position, servoId);
console.log(
`๐ฏ Joint ${jointName} moved: ${lastPosition} โ ${position} (${degrees.toFixed(1)}ยฐ)`
);
// Apply smoothing if enabled in performance config
if (this.config.smoothing && getDataProcessingConfig().ENABLE_SMOOTHING) {
const history = this.positionHistory.get(servoId) || [];
history.push(degrees);
const maxHistory = getDataProcessingConfig().SMOOTHING_HISTORY_SIZE;
if (history.length > maxHistory) history.shift();
this.positionHistory.set(servoId, history);
// Use average of recent positions
const smoothedDegrees = history.reduce((a, b) => a + b, 0) / history.length;
changedJoints.push({ name: jointName, value: smoothedDegrees });
} else {
changedJoints.push({ name: jointName, value: degrees });
}
this.lastPositions.set(servoId, position);
}
}
});
// Log polling status occasionally (less frequent with faster polling)
if (Date.now() % 5000 < getRobotPollingConfig().USB_MASTER_POLL_INTERVAL_MS) {
console.log(
`๐ USB polling: ${validReads}/${this.jointIds.length} joints read successfully`
);
}
// If there are changes, emit command
if (changedJoints.length > 0) {
const command: RobotCommand = {
timestamp: Date.now(),
joints: changedJoints,
metadata: { source: "usb_master_polling" }
};
console.log(`๐ค Emitting command with ${changedJoints.length} joint changes`);
this.notifyCommand([command]);
}
} catch (error) {
console.error("Polling error:", error);
// Don't re-throw port access errors, just log them
if (error instanceof Error && error.message?.includes("Releasing Default reader")) {
console.warn("Serial port access conflict, skipping this poll cycle");
return;
}
throw error; // Re-throw other errors
} finally {
// Always release the reading lock
this.isReading = false;
}
}
private servoToRelativeDegrees(servoPosition: number, servoId: number): number {
// Get the rest position for this servo
const restPosition = this.restPositions.get(servoId) || 2048;
// Calculate relative movement from rest position
const deltaServoUnits = servoPosition - restPosition;
// Convert servo units to degrees (assuming full range 0-4095 = 360ยฐ)
const relativeDegrees = (deltaServoUnits / 4095) * 360;
return relativeDegrees;
}
private notifyCommand(commands: RobotCommand[]): void {
this.commandCallbacks.forEach((callback) => {
try {
callback(commands);
} catch (error) {
console.error("Error in command callback:", error);
}
});
}
private notifySequence(sequence: CommandSequence): void {
this.sequenceCallbacks.forEach((callback) => {
try {
callback(sequence);
} catch (error) {
console.error("Error in sequence callback:", error);
}
});
}
private notifyStatusChange(): void {
this.statusCallbacks.forEach((callback) => {
try {
callback(this._status);
} catch (error) {
console.error("Error in status callback:", error);
}
});
}
}
|