File size: 8,041 Bytes
63ed3a7
 
 
 
 
 
 
 
 
 
 
 
 
 
3380376
 
 
 
 
 
 
 
63ed3a7
 
 
 
3380376
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
63ed3a7
3380376
 
 
 
 
 
 
 
 
 
 
63ed3a7
3380376
63ed3a7
 
3380376
 
63ed3a7
 
 
 
 
 
3380376
 
 
63ed3a7
 
 
 
3380376
63ed3a7
3380376
 
 
 
63ed3a7
 
 
3380376
 
 
 
 
 
 
 
 
 
63ed3a7
 
 
 
 
 
 
 
3380376
 
 
 
63ed3a7
 
 
 
3380376
63ed3a7
 
 
 
 
 
 
 
 
3380376
63ed3a7
 
 
 
 
 
3380376
 
 
 
 
 
 
 
63ed3a7
 
 
3380376
 
 
 
63ed3a7
 
 
 
3380376
 
 
 
63ed3a7
 
 
 
 
 
 
 
 
 
3380376
63ed3a7
 
3380376
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
63ed3a7
 
3380376
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
63ed3a7
 
3380376
 
 
 
 
63ed3a7
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
#!/usr/bin/env bun
/**
 * Basic Usage Example for LeRobot Arena Inference Server TypeScript Client
 * 
 * This example demonstrates how to:
 * 1. Create a client instance
 * 2. Check server health
 * 3. Create an inference session
 * 4. Start inference
 * 5. Monitor session status
 * 6. Clean up resources
 */

import { 
  rootGet,
  healthCheckHealthGet,
  listSessionsSessionsGet,
  createSessionSessionsPost,
  startInferenceSessionsSessionIdStartPost,
  stopInferenceSessionsSessionIdStopPost,
  deleteSessionSessionsSessionIdDelete
} from '../src';

import type { 
  CreateSessionRequest,
  SessionStatusResponse 
} from '../src';

// Configuration
const BASE_URL = 'http://localhost:8001/api';

// Helper function to wait for a specific session status
async function waitForSessionStatus(
  sessionId: string, 
  targetStatus: string, 
  timeoutMs: number = 30000
): Promise<SessionStatusResponse> {
  const startTime = Date.now();
  
  while (Date.now() - startTime < timeoutMs) {
    const sessions = await listSessionsSessionsGet({ baseUrl: BASE_URL });
    const session = sessions.data?.find(s => s.session_id === sessionId);
    
    if (session && session.status === targetStatus) {
      return session;
    }
    
    if (session && session.status === 'error') {
      throw new Error(`Session failed: ${session.error_message}`);
    }
    
    // Wait 1 second before checking again
    await new Promise(resolve => setTimeout(resolve, 1000));
  }
  
  throw new Error(`Timeout waiting for session ${sessionId} to reach status ${targetStatus}`);
}

// Helper function to get session status
async function getSessionStatus(sessionId: string): Promise<SessionStatusResponse> {
  const sessions = await listSessionsSessionsGet({ baseUrl: BASE_URL });
  const session = sessions.data?.find(s => s.session_id === sessionId);
  
  if (!session) {
    throw new Error(`Session ${sessionId} not found`);
  }
  
  return session;
}

async function main() {
  try {
    console.log('πŸ” Checking server health...');
    const healthResponse = await rootGet({ baseUrl: BASE_URL });
    if (!healthResponse.data) {
      console.error('❌ Server is not healthy. Make sure the inference server is running.');
      process.exit(1);
    }
    console.log('βœ… Server is healthy!');

    // Get detailed health info
    console.log('πŸ“Š Getting detailed server status...');
    const detailedHealth = await healthCheckHealthGet({ baseUrl: BASE_URL });
    console.log('πŸ“Š Server status:', detailedHealth.data);

    // Create a session (using generated types)
    const sessionRequest: CreateSessionRequest = {
      session_id: 'example-session-' + Date.now(),
      policy_path: 'LaetusH/act_so101_beyond', // HuggingFace repo format
      camera_names: ['front', 'wrist'], // Update with your camera names
      transport_server_url: 'http://localhost:8000', // Update with your transport server URL
      workspace_id: null, // Let the server generate a workspace ID
      policy_type: 'act',
      language_instruction: null
    };

    console.log('πŸš€ Creating inference session...');
    const sessionResponse = await createSessionSessionsPost({
      body: sessionRequest,
      baseUrl: BASE_URL
    });
    
    if (!sessionResponse.data) {
      throw new Error('Failed to create session');
    }
    
    const session = sessionResponse.data;
    console.log('βœ… Session created!');
    console.log('πŸ“ Workspace ID:', session.workspace_id);
    console.log('πŸ“· Camera rooms:', session.camera_room_ids);
    console.log('πŸ”„ Joint input room:', session.joint_input_room_id);
    console.log('🎯 Joint output room:', session.joint_output_room_id);

    // Start inference
    console.log('▢️ Starting inference...');
    await startInferenceSessionsSessionIdStartPost({
      path: { session_id: sessionRequest.session_id },
      baseUrl: BASE_URL
    });
    console.log('βœ… Inference started!');

    // Wait for the session to be running
    console.log('⏳ Waiting for session to be running...');
    const runningStatus = await waitForSessionStatus(
      sessionRequest.session_id, 
      'running', 
      30000 // 30 second timeout
    );
    console.log('πŸƒ Session is now running!');

    // Monitor the session for a few seconds
    console.log('πŸ“Š Monitoring session status...');
    for (let i = 0; i < 5; i++) {
      const status: SessionStatusResponse = await getSessionStatus(sessionRequest.session_id);
      console.log(`πŸ“ˆ Status: ${status.status}, Stats:`, status.stats);
      
      // Wait 2 seconds before next check
      await new Promise(resolve => setTimeout(resolve, 2000));
    }

    // List all sessions for debugging
    console.log('πŸ“‹ Getting all sessions...');
    const allSessions = await listSessionsSessionsGet({ baseUrl: BASE_URL });
    console.log('πŸ“ All sessions:', allSessions.data?.map(s => ({
      id: s.session_id,
      status: s.status,
      policy_path: s.policy_path
    })));

    // Stop inference
    console.log('⏹️ Stopping inference...');
    await stopInferenceSessionsSessionIdStopPost({
      path: { session_id: sessionRequest.session_id },
      baseUrl: BASE_URL
    });
    console.log('βœ… Inference stopped!');

    // Clean up - delete the session
    console.log('🧹 Cleaning up session...');
    await deleteSessionSessionsSessionIdDelete({
      path: { session_id: sessionRequest.session_id },
      baseUrl: BASE_URL
    });
    console.log('βœ… Session deleted!');

    console.log('πŸŽ‰ Example completed successfully!');

  } catch (error) {
    console.error('❌ Error:', error);
    process.exit(1);
  }
}

// Alternative: Using a more streamlined approach
async function quickExample() {
  try {
    // Test health first
    console.log('πŸ” Testing server health...');
    const healthResponse = await rootGet({ baseUrl: BASE_URL });
    if (!healthResponse.data) {
      throw new Error('Server health check failed');
    }
    console.log('βœ… Server is healthy!');
    
    // Create session
    const sessionId = 'quick-example-' + Date.now();
    console.log('πŸš€ Creating session...');
    
    const sessionResponse = await createSessionSessionsPost({
      body: {
        session_id: sessionId,
        policy_path: 'LaetusH/act_so101_beyond', // HuggingFace repo format
        camera_names: ['front'],
        transport_server_url: 'http://localhost:8000'
      },
      baseUrl: BASE_URL
    });

    if (!sessionResponse.data) {
      throw new Error(`Failed to create session: ${sessionResponse.error?.detail || 'Unknown error'}`);
    }

    console.log('βœ… Session created!');
    console.log('πŸ“ Workspace ID:', sessionResponse.data.workspace_id);
    console.log('πŸ“· Camera rooms:', sessionResponse.data.camera_room_ids);

    // Start inference
    console.log('▢️ Starting inference...');
    await startInferenceSessionsSessionIdStartPost({
      path: { session_id: sessionId },
      baseUrl: BASE_URL
    });
    console.log('βœ… Inference started!');

    // Wait a moment then get status
    console.log('πŸ“Š Checking status...');
    await new Promise(resolve => setTimeout(resolve, 2000));
    const status = await getSessionStatus(sessionId);
    console.log(`πŸ“ˆ Status: ${status.status}`);
    console.log('πŸ“Š Stats:', status.stats);

    // Clean up
    console.log('🧹 Cleaning up...');
    await deleteSessionSessionsSessionIdDelete({
      path: { session_id: sessionId },
      baseUrl: BASE_URL
    });
    console.log('βœ… Quick example completed!');

  } catch (error) {
    console.error('❌ Quick example error:', error);
  }
}

// Run the main example
if (import.meta.main) {
  console.log('=== LeRobot Arena Inference Server Client Example ===\n');
  
  // Choose which example to run based on command line argument
  const runQuick = process.argv.includes('--quick');
  
  if (runQuick) {
    console.log('Running quick example...\n');
    await quickExample();
  } else {
    console.log('Running full example...\n');
    await main();
  }
}