|
| 1 | +#!/usr/bin/env python3 |
| 2 | +""" |
| 3 | +Benchmark average latency + stddev for LLM models via LLMProvider. |
| 4 | +
|
| 5 | +Usage: |
| 6 | + uv run python line/llm_agent/scripts/bench_latency.py [OPTIONS] |
| 7 | +
|
| 8 | +Options: |
| 9 | + --runs N Number of conversations per model (default: 20) |
| 10 | + --model MODEL Only test specific model (e.g., "openai/gpt-5-nano") |
| 11 | + --pause SECONDS Pause between conversations (default: 0.0) |
| 12 | +
|
| 13 | +Environment variables: |
| 14 | + OPENAI_API_KEY - For OpenAI models (openai/gpt-5.2, gpt-5-mini, gpt-5-nano) |
| 15 | + ANTHROPIC_API_KEY - For Anthropic models (anthropic/claude-haiku-4-5) |
| 16 | + GEMINI_API_KEY - For Google models (gemini/gemini-2.5-flash, etc.) |
| 17 | +
|
| 18 | +The script will test whichever providers have API keys set. |
| 19 | +""" |
| 20 | + |
| 21 | +import argparse |
| 22 | +import asyncio |
| 23 | +import logging |
| 24 | +import os |
| 25 | +import statistics |
| 26 | +import sys |
| 27 | +import time |
| 28 | +import uuid |
| 29 | +import warnings |
| 30 | +from dataclasses import dataclass |
| 31 | +from typing import Optional |
| 32 | + |
| 33 | +import litellm |
| 34 | +from loguru import logger |
| 35 | + |
| 36 | +from line.llm_agent.config import LlmConfig, _normalize_config |
| 37 | +from line.llm_agent.provider import LLMProvider, Message |
| 38 | + |
| 39 | +# ============================================================================= |
| 40 | +# Config |
| 41 | +# ============================================================================= |
| 42 | + |
| 43 | +SYSTEM_PROMPT = """\ |
| 44 | +You are a friendly voice assistant built with Cartesia, designed for natural, open-ended conversation. |
| 45 | +
|
| 46 | +# Personality |
| 47 | +
|
| 48 | +Warm, curious, genuine, lighthearted. Knowledgeable but not showy. |
| 49 | +
|
| 50 | +# Voice and tone |
| 51 | +
|
| 52 | +Speak like a thoughtful friend, not a formal assistant or customer service bot. |
| 53 | +Use contractions and casual phrasing—the way people actually talk. |
| 54 | +Match the caller's energy: playful if they're playful, grounded if they're serious. |
| 55 | +Show genuine interest: "Oh that's interesting" or "Hmm, let me think about that." |
| 56 | +
|
| 57 | +# Response style |
| 58 | +
|
| 59 | +Keep responses to 1-2 sentences for most exchanges. This is a conversation, not a lecture. |
| 60 | +For complex topics, break information into digestible pieces and check in with the caller. |
| 61 | +Never use lists, bullet points, or structured formatting—speak in natural prose. |
| 62 | +Never say "Great question!" or other hollow affirmations. |
| 63 | +
|
| 64 | +# Tools |
| 65 | +
|
| 66 | +## web_search |
| 67 | +Use when you genuinely don't know something or need current information. Don't overuse it. |
| 68 | +
|
| 69 | +Before searching, acknowledge naturally: |
| 70 | +- "Let me look that up" |
| 71 | +- "Good question, let me check" |
| 72 | +- "Hmm, I'm not sure—give me a sec" |
| 73 | +
|
| 74 | +After searching, synthesize into a brief conversational answer. Never read search results verbatim. |
| 75 | +
|
| 76 | +## end_call |
| 77 | +Use when the conversation has clearly concluded—goodbye, thanks, that's all, etc. |
| 78 | +
|
| 79 | +Process: |
| 80 | +1. Say a natural goodbye first: "Take care!" or "Nice chatting with you!" |
| 81 | +2. Then call end_call |
| 82 | +
|
| 83 | +Never use for brief pauses or "hold on" moments. |
| 84 | +
|
| 85 | +# About Cartesia (share when asked or naturally relevant) |
| 86 | +Cartesia is a voice AI company making voice agents that feel natural and responsive. Your voice comes from Sonic, their text-to-speech model with ultra-low latency—under 90ms to first audio. You hear through Ink, their speech-to-text model optimized for real-world noise. This agent runs on Line, Cartesia's open-source voice agent framework. For building voice agents: docs.cartesia.ai |
| 87 | +
|
| 88 | +# Handling common situations |
| 89 | +Didn't catch something: "Sorry, I didn't catch that—could you say that again?" |
| 90 | +Don't know the answer: "I'm not sure about that. Want me to look it up?" |
| 91 | +Caller seems frustrated: Acknowledge it, try a different approach |
| 92 | +Off-topic or unusual request: Roll with it—you can chat about anything |
| 93 | +
|
| 94 | +# Topics you can discuss |
| 95 | +Anything the caller wants: their day, current events, science, culture, philosophy, personal decisions, interesting ideas. Help think through problems by asking clarifying questions. Use light, natural humor when appropriate.""" |
| 96 | + |
| 97 | +MODELS = [ |
| 98 | + {"model": "gemini/gemini-3.1-flash-lite-preview"}, |
| 99 | + {"model": "gemini/gemini-3-flash-preview"}, |
| 100 | + {"model": "gemini/gemini-2.5-flash"}, |
| 101 | + {"model": "anthropic/claude-haiku-4-5", "reasoning_effort": None}, |
| 102 | + {"model": "openai/gpt-5.2", "reasoning_effort": None}, |
| 103 | + {"model": "openai/gpt-5-mini", "reasoning_effort": None}, |
| 104 | + {"model": "openai/gpt-5-nano", "reasoning_effort": None}, |
| 105 | +] |
| 106 | + |
| 107 | +PROMPT_1 = "How's your day going?" |
| 108 | +PROMPT_2 = "What's the weather like today?" |
| 109 | + |
| 110 | +# ============================================================================= |
| 111 | +# Env-var helpers |
| 112 | +# ============================================================================= |
| 113 | + |
| 114 | +_ENV_VAR_MAP = { |
| 115 | + "anthropic/": "ANTHROPIC_API_KEY", |
| 116 | + "gemini/": "GEMINI_API_KEY", |
| 117 | + "openai/": "OPENAI_API_KEY", |
| 118 | +} |
| 119 | + |
| 120 | + |
| 121 | +def _env_var_for_model(model: str) -> str: |
| 122 | + for prefix, var in _ENV_VAR_MAP.items(): |
| 123 | + if model.startswith(prefix): |
| 124 | + return var |
| 125 | + return "OPENAI_API_KEY" |
| 126 | + |
| 127 | + |
| 128 | +def _has_api_key(model: str) -> bool: |
| 129 | + return bool(os.getenv(_env_var_for_model(model))) |
| 130 | + |
| 131 | + |
| 132 | +# ============================================================================= |
| 133 | +# Benchmark core |
| 134 | +# ============================================================================= |
| 135 | + |
| 136 | + |
| 137 | +@dataclass |
| 138 | +class TurnResult: |
| 139 | + ttft_ms: float |
| 140 | + total_ms: float |
| 141 | + text: str |
| 142 | + |
| 143 | + |
| 144 | +@dataclass |
| 145 | +class ConversationResult: |
| 146 | + turn1: TurnResult |
| 147 | + turn2: TurnResult |
| 148 | + |
| 149 | + |
| 150 | +@dataclass |
| 151 | +class ModelStats: |
| 152 | + model: str |
| 153 | + reasoning_effort: Optional[str] |
| 154 | + ttft1s: list |
| 155 | + ttft2s: list |
| 156 | + errors: int |
| 157 | + |
| 158 | + |
| 159 | +async def stream_turn( |
| 160 | + provider: LLMProvider, messages: list[Message], config: LlmConfig, |
| 161 | +) -> TurnResult: |
| 162 | + """Stream a single turn via LLMProvider. Returns timing info.""" |
| 163 | + t0 = time.perf_counter() |
| 164 | + ttft = None |
| 165 | + text_parts: list[str] = [] |
| 166 | + |
| 167 | + async with provider.chat(messages, config=config) as stream: |
| 168 | + async for chunk in stream: |
| 169 | + if chunk.text: |
| 170 | + if ttft is None: |
| 171 | + ttft = (time.perf_counter() - t0) * 1000 |
| 172 | + text_parts.append(chunk.text) |
| 173 | + |
| 174 | + total = (time.perf_counter() - t0) * 1000 |
| 175 | + return TurnResult( |
| 176 | + ttft_ms=ttft or total, |
| 177 | + total_ms=total, |
| 178 | + text="".join(text_parts), |
| 179 | + ) |
| 180 | + |
| 181 | + |
| 182 | +async def measure_conversation( |
| 183 | + provider: LLMProvider, config_kwargs: dict, |
| 184 | +) -> ConversationResult: |
| 185 | + """Run a 2-turn conversation through LLMProvider.""" |
| 186 | + # Nonce in the system prompt ensures we never hit a provider-side cache. |
| 187 | + nonce = uuid.uuid4().hex[:12] |
| 188 | + config = _normalize_config(LlmConfig( |
| 189 | + **{**config_kwargs, "system_prompt": f"[{nonce}] {SYSTEM_PROMPT}"} |
| 190 | + )) |
| 191 | + |
| 192 | + messages = [Message(role="user", content=PROMPT_1)] |
| 193 | + turn1 = await stream_turn(provider, messages, config) |
| 194 | + |
| 195 | + messages.append(Message(role="assistant", content=turn1.text)) |
| 196 | + messages.append(Message(role="user", content=PROMPT_2)) |
| 197 | + turn2 = await stream_turn(provider, messages, config) |
| 198 | + |
| 199 | + return ConversationResult(turn1=turn1, turn2=turn2) |
| 200 | + |
| 201 | + |
| 202 | +def _print_stats(label: str, values: list[float]) -> None: |
| 203 | + avg = statistics.mean(values) |
| 204 | + sd = statistics.stdev(values) if len(values) > 1 else 0 |
| 205 | + print( |
| 206 | + f" {label:14s} — avg: {avg:7.0f} ms stddev: {sd:7.0f} ms" |
| 207 | + f" (min {min(values):.0f} / max {max(values):.0f})" |
| 208 | + ) |
| 209 | + |
| 210 | + |
| 211 | +async def bench_model( |
| 212 | + model: str, |
| 213 | + reasoning_effort: Optional[str], |
| 214 | + n: int, |
| 215 | + pause: float, |
| 216 | +) -> ModelStats: |
| 217 | + """Run n conversations for a single model config and print stats.""" |
| 218 | + effort_str = reasoning_effort if reasoning_effort is not None else "default" |
| 219 | + label = f"{model} (reasoning={effort_str}, {n} conversations)" |
| 220 | + print(f"\n{'=' * 70}") |
| 221 | + print(f" {label}") |
| 222 | + print(f"{'=' * 70}") |
| 223 | + |
| 224 | + # Only pass reasoning_effort when explicitly set; otherwise leave it as |
| 225 | + # _UNSET so LLMProvider applies its own per-model default. |
| 226 | + config_kwargs: dict = {} |
| 227 | + if reasoning_effort is not None: |
| 228 | + config_kwargs["reasoning_effort"] = reasoning_effort |
| 229 | + api_key = os.getenv(_env_var_for_model(model)) |
| 230 | + provider = LLMProvider(model=model, api_key=api_key) |
| 231 | + |
| 232 | + ttft1s: list[float] = [] |
| 233 | + total1s: list[float] = [] |
| 234 | + ttft2s: list[float] = [] |
| 235 | + total2s: list[float] = [] |
| 236 | + errors = 0 |
| 237 | + |
| 238 | + for i in range(n): |
| 239 | + try: |
| 240 | + result = await measure_conversation(provider, config_kwargs) |
| 241 | + t1, t2 = result.turn1, result.turn2 |
| 242 | + ttft1s.append(t1.ttft_ms) |
| 243 | + total1s.append(t1.total_ms) |
| 244 | + ttft2s.append(t2.ttft_ms) |
| 245 | + total2s.append(t2.total_ms) |
| 246 | + print( |
| 247 | + f" [{i + 1:2d}/{n}]" |
| 248 | + f" Turn1: TTFT {t1.ttft_ms:6.0f} ms, Total {t1.total_ms:6.0f} ms" |
| 249 | + f" | Turn2: TTFT {t2.ttft_ms:6.0f} ms, Total {t2.total_ms:6.0f} ms" |
| 250 | + ) |
| 251 | + except Exception as e: |
| 252 | + errors += 1 |
| 253 | + print(f" [{i + 1:2d}/{n}] ERROR: {e}") |
| 254 | + |
| 255 | + if i < n - 1: |
| 256 | + await asyncio.sleep(pause) |
| 257 | + |
| 258 | + if ttft1s: |
| 259 | + print() |
| 260 | + _print_stats("Turn1 TTFT", ttft1s) |
| 261 | + _print_stats("Turn1 Total", total1s) |
| 262 | + _print_stats("Turn2 TTFT", ttft2s) |
| 263 | + _print_stats("Turn2 Total", total2s) |
| 264 | + if errors: |
| 265 | + print(f" Errors: {errors}/{n}") |
| 266 | + |
| 267 | + await provider.aclose() |
| 268 | + return ModelStats( |
| 269 | + model=model, |
| 270 | + reasoning_effort=reasoning_effort, |
| 271 | + ttft1s=ttft1s, |
| 272 | + ttft2s=ttft2s, |
| 273 | + errors=errors, |
| 274 | + ) |
| 275 | + |
| 276 | + |
| 277 | +# ============================================================================= |
| 278 | +# Main |
| 279 | +# ============================================================================= |
| 280 | + |
| 281 | + |
| 282 | +def parse_args(): |
| 283 | + parser = argparse.ArgumentParser( |
| 284 | + description="Benchmark LLM latency via LLMProvider.", |
| 285 | + formatter_class=argparse.RawDescriptionHelpFormatter, |
| 286 | + ) |
| 287 | + parser.add_argument( |
| 288 | + "--runs", type=int, default=20, help="Conversations per model (default: 20)" |
| 289 | + ) |
| 290 | + parser.add_argument( |
| 291 | + "--model", type=str, default=None, help="Only test a specific model name" |
| 292 | + ) |
| 293 | + parser.add_argument( |
| 294 | + "--pause", |
| 295 | + type=float, |
| 296 | + default=0.0, |
| 297 | + help="Seconds to wait between conversations (default: 0.0)", |
| 298 | + ) |
| 299 | + return parser.parse_args() |
| 300 | + |
| 301 | + |
| 302 | +async def main(args): |
| 303 | + # Filter to models the user asked for / has keys for. |
| 304 | + entries = [] |
| 305 | + seen_skipped: set[str] = set() |
| 306 | + for entry in MODELS: |
| 307 | + model = entry["model"] |
| 308 | + if args.model and model != args.model: |
| 309 | + continue |
| 310 | + if not _has_api_key(model): |
| 311 | + env_var = _env_var_for_model(model) |
| 312 | + if env_var not in seen_skipped: |
| 313 | + print(f" ✗ {env_var} not set — skipping {model}") |
| 314 | + seen_skipped.add(env_var) |
| 315 | + continue |
| 316 | + entries.append(entry) |
| 317 | + |
| 318 | + if not entries: |
| 319 | + print("\n⚠ No matching models with API keys found. Set at least one of:") |
| 320 | + for var in dict.fromkeys(_ENV_VAR_MAP.values()): |
| 321 | + print(f" export {var}=your-key-here") |
| 322 | + return 1 |
| 323 | + |
| 324 | + # Dedupe model names for the header. |
| 325 | + unique_models = list(dict.fromkeys(e["model"] for e in entries)) |
| 326 | + print(f"\nBenchmarking {len(entries)} configs across {len(unique_models)} models" |
| 327 | + f" × {args.runs} conversations each") |
| 328 | + print(f" Turn 1: {PROMPT_1!r}") |
| 329 | + print(f" Turn 2: {PROMPT_2!r}") |
| 330 | + print(f" Pause: {args.pause}s") |
| 331 | + for m in unique_models: |
| 332 | + print(f" ✓ {m}") |
| 333 | + |
| 334 | + all_stats: list[ModelStats] = [] |
| 335 | + for entry in entries: |
| 336 | + stats = await bench_model( |
| 337 | + model=entry["model"], |
| 338 | + reasoning_effort=entry.get("reasoning_effort"), |
| 339 | + n=args.runs, |
| 340 | + pause=args.pause, |
| 341 | + ) |
| 342 | + all_stats.append(stats) |
| 343 | + |
| 344 | + # Summary table |
| 345 | + print(f"\n{'=' * 90}") |
| 346 | + print(" SUMMARY") |
| 347 | + print(f"{'=' * 90}") |
| 348 | + print( |
| 349 | + f" {'Model':<40s} {'Reasoning':>10s}" |
| 350 | + f" {'Turn1 TTFT':>18s} {'Turn2 TTFT':>18s}" |
| 351 | + ) |
| 352 | + print( |
| 353 | + f" {'':40s} {'Effort':>10s}" |
| 354 | + f" {'avg±std (ms)':>18s} {'avg±std (ms)':>18s}" |
| 355 | + ) |
| 356 | + print(f" {'-' * 40} {'-' * 10} {'-' * 18} {'-' * 18}") |
| 357 | + |
| 358 | + for s in all_stats: |
| 359 | + effort = s.reasoning_effort if s.reasoning_effort is not None else "default" |
| 360 | + if s.ttft1s: |
| 361 | + avg1 = statistics.mean(s.ttft1s) |
| 362 | + sd1 = statistics.stdev(s.ttft1s) if len(s.ttft1s) > 1 else 0 |
| 363 | + avg2 = statistics.mean(s.ttft2s) |
| 364 | + sd2 = statistics.stdev(s.ttft2s) if len(s.ttft2s) > 1 else 0 |
| 365 | + t1 = f"{avg1:.0f}±{sd1:.0f}" |
| 366 | + t2 = f"{avg2:.0f}±{sd2:.0f}" |
| 367 | + else: |
| 368 | + t1 = t2 = "no data" |
| 369 | + err = f" ({s.errors} err)" if s.errors else "" |
| 370 | + print(f" {s.model:<40s} {effort:>10s} {t1:>18s} {t2:>18s}{err}") |
| 371 | + |
| 372 | + print(f"\n{'=' * 90}") |
| 373 | + print("Done.") |
| 374 | + return 0 |
| 375 | + |
| 376 | + |
| 377 | +if __name__ == "__main__": |
| 378 | + args = parse_args() |
| 379 | + |
| 380 | + # Suppress noisy output from litellm / pydantic / asyncio. |
| 381 | + warnings.filterwarnings("ignore", category=ResourceWarning) |
| 382 | + warnings.filterwarnings("ignore", category=UserWarning, module="pydantic") |
| 383 | + logging.getLogger("asyncio").setLevel(logging.CRITICAL) |
| 384 | + logging.getLogger("LiteLLM").setLevel(logging.CRITICAL) |
| 385 | + litellm.suppress_debug_info = True |
| 386 | + logger.disable("line") |
| 387 | + |
| 388 | + try: |
| 389 | + exit_code = asyncio.run(main(args)) |
| 390 | + except KeyboardInterrupt: |
| 391 | + print("\nInterrupted") |
| 392 | + exit_code = 1 |
| 393 | + finally: |
| 394 | + sys.stderr = open(os.devnull, "w") |
| 395 | + |
| 396 | + sys.exit(exit_code) |
0 commit comments