|
| 1 | +# cost_tracker.py |
| 2 | +# API cost tracking with budget management and thread-safety |
| 3 | +# Jeremiah Kroesche | Halfservers LLC |
| 4 | + |
| 5 | +import logging |
| 6 | +import threading |
| 7 | +from dataclasses import dataclass, field |
| 8 | +from datetime import datetime |
| 9 | +from typing import Dict, Optional, Tuple |
| 10 | + |
| 11 | +logger = logging.getLogger(__name__) |
| 12 | + |
| 13 | + |
| 14 | +class BudgetExceededError(Exception): |
| 15 | + """Raised when session budget limit is exceeded. |
| 16 | +
|
| 17 | + Attributes: |
| 18 | + total_cost: The total cost when budget was exceeded |
| 19 | + budget_limit: The configured budget limit |
| 20 | + """ |
| 21 | + |
| 22 | + def __init__(self, message: str, total_cost: float = 0.0, budget_limit: float = 0.0): |
| 23 | + super().__init__(message) |
| 24 | + self.total_cost = total_cost |
| 25 | + self.budget_limit = budget_limit |
| 26 | + |
| 27 | + |
| 28 | +# Pricing per 1M tokens: (input_cost, output_cost) |
| 29 | +MODEL_PRICING: Dict[str, Tuple[float, float]] = { |
| 30 | + # Claude models (using actual API model IDs) |
| 31 | + "claude-opus-4-20250514": (15.0, 75.0), |
| 32 | + "claude-sonnet-4-20250514": (3.0, 15.0), |
| 33 | + "claude-3-5-haiku-20241022": (0.80, 4.00), |
| 34 | + |
| 35 | + # Embedding models (output cost is 0.0 for embeddings) |
| 36 | + "text-embedding-3-small": (0.02, 0.0), |
| 37 | + "voyage-code-3": (0.06, 0.0), |
| 38 | + "nomic-embed-text": (0.0, 0.0), # Local/free |
| 39 | +} |
| 40 | + |
| 41 | + |
| 42 | +@dataclass |
| 43 | +class CostTracker: |
| 44 | + """Thread-safe API cost tracker with budget management. |
| 45 | +
|
| 46 | + Tracks token usage and costs across multiple models with optional |
| 47 | + budget enforcement. All methods are thread-safe via internal locking. |
| 48 | +
|
| 49 | + Attributes: |
| 50 | + budget_limit: Optional maximum budget in USD. When exceeded, |
| 51 | + track() raises BudgetExceededError. |
| 52 | + session_start: When this tracker was created (for duration stats). |
| 53 | +
|
| 54 | + Example: |
| 55 | + tracker = CostTracker(budget_limit=1.0) |
| 56 | +
|
| 57 | + try: |
| 58 | + cost = tracker.track("claude-sonnet-4-20250514", 1000, 500) |
| 59 | + print(f"Call cost: ${cost:.6f}") |
| 60 | + except BudgetExceededError as e: |
| 61 | + print(f"Over budget: {e}") |
| 62 | +
|
| 63 | + stats = tracker.get_stats() |
| 64 | + print(f"Session total: ${stats['session_total_usd']}") |
| 65 | + """ |
| 66 | + |
| 67 | + budget_limit: Optional[float] = None |
| 68 | + session_start: datetime = field(default_factory=datetime.now) |
| 69 | + _costs: Dict[str, float] = field(default_factory=dict) |
| 70 | + _token_counts: Dict[str, Dict[str, int]] = field(default_factory=dict) |
| 71 | + _lock: threading.Lock = field(default_factory=threading.Lock, repr=False) |
| 72 | + |
| 73 | + def track( |
| 74 | + self, |
| 75 | + model: str, |
| 76 | + input_tokens: int, |
| 77 | + output_tokens: int = 0, |
| 78 | + ) -> float: |
| 79 | + """Track a model API call and return the cost. |
| 80 | +
|
| 81 | + Thread-safe: Uses internal locking for all state updates. |
| 82 | +
|
| 83 | + Args: |
| 84 | + model: Model identifier (e.g., "claude-sonnet-4-20250514") |
| 85 | + input_tokens: Number of input tokens consumed |
| 86 | + output_tokens: Number of output tokens generated (default 0) |
| 87 | +
|
| 88 | + Returns: |
| 89 | + Cost of this call in USD |
| 90 | +
|
| 91 | + Raises: |
| 92 | + BudgetExceededError: If budget_limit is set and total_cost |
| 93 | + exceeds the limit after this call |
| 94 | + """ |
| 95 | + pricing = MODEL_PRICING.get(model, (0.0, 0.0)) |
| 96 | + cost = ( |
| 97 | + input_tokens * pricing[0] / 1_000_000 + |
| 98 | + output_tokens * pricing[1] / 1_000_000 |
| 99 | + ) |
| 100 | + |
| 101 | + with self._lock: |
| 102 | + # Update costs |
| 103 | + self._costs[model] = self._costs.get(model, 0.0) + cost |
| 104 | + |
| 105 | + # Update token counts |
| 106 | + if model not in self._token_counts: |
| 107 | + self._token_counts[model] = {"input": 0, "output": 0} |
| 108 | + self._token_counts[model]["input"] += input_tokens |
| 109 | + self._token_counts[model]["output"] += output_tokens |
| 110 | + |
| 111 | + # Check budget after updating (so stats reflect the call that exceeded) |
| 112 | + current_total = sum(self._costs.values()) |
| 113 | + if self.budget_limit is not None and current_total > self.budget_limit: |
| 114 | + raise BudgetExceededError( |
| 115 | + f"Session cost ${current_total:.4f} exceeds budget ${self.budget_limit:.4f}", |
| 116 | + total_cost=current_total, |
| 117 | + budget_limit=self.budget_limit, |
| 118 | + ) |
| 119 | + |
| 120 | + return cost |
| 121 | + |
| 122 | + @property |
| 123 | + def total_cost(self) -> float: |
| 124 | + """Get total session cost in USD. |
| 125 | +
|
| 126 | + Thread-safe: Acquires lock for consistent read. |
| 127 | +
|
| 128 | + Returns: |
| 129 | + Sum of all tracked costs |
| 130 | + """ |
| 131 | + with self._lock: |
| 132 | + return sum(self._costs.values()) |
| 133 | + |
| 134 | + def get_stats(self) -> Dict: |
| 135 | + """Get comprehensive cost statistics. |
| 136 | +
|
| 137 | + Thread-safe: Acquires lock for consistent snapshot. |
| 138 | +
|
| 139 | + Returns: |
| 140 | + Dictionary containing: |
| 141 | + - session_total_usd: Total cost this session |
| 142 | + - by_model: Cost breakdown by model |
| 143 | + - token_counts: Token usage by model |
| 144 | + - budget_remaining_usd: Remaining budget (or None) |
| 145 | + - session_duration_seconds: Time since session_start |
| 146 | + """ |
| 147 | + with self._lock: |
| 148 | + total = sum(self._costs.values()) |
| 149 | + session_duration = (datetime.now() - self.session_start).total_seconds() |
| 150 | + |
| 151 | + budget_remaining = None |
| 152 | + if self.budget_limit is not None: |
| 153 | + budget_remaining = round(max(0.0, self.budget_limit - total), 6) |
| 154 | + |
| 155 | + return { |
| 156 | + "session_total_usd": round(total, 6), |
| 157 | + "by_model": {k: round(v, 6) for k, v in self._costs.items()}, |
| 158 | + "token_counts": { |
| 159 | + model: counts.copy() |
| 160 | + for model, counts in self._token_counts.items() |
| 161 | + }, |
| 162 | + "budget_remaining_usd": budget_remaining, |
| 163 | + "session_duration_seconds": round(session_duration, 2), |
| 164 | + } |
| 165 | + |
| 166 | + def reset(self) -> Dict: |
| 167 | + """Reset tracker state and return final stats. |
| 168 | +
|
| 169 | + Thread-safe: Acquires lock for atomic reset. |
| 170 | +
|
| 171 | + Returns: |
| 172 | + Final stats before reset (same format as get_stats()) |
| 173 | + """ |
| 174 | + with self._lock: |
| 175 | + stats = self.get_stats() |
| 176 | + self._costs.clear() |
| 177 | + self._token_counts.clear() |
| 178 | + self.session_start = datetime.now() |
| 179 | + return stats |
| 180 | + |
| 181 | + @staticmethod |
| 182 | + def get_model_pricing(model: str) -> Tuple[float, float]: |
| 183 | + """Get pricing for a model. |
| 184 | +
|
| 185 | + Args: |
| 186 | + model: Model identifier |
| 187 | +
|
| 188 | + Returns: |
| 189 | + Tuple of (input_price, output_price) per 1M tokens. |
| 190 | + Returns (0.0, 0.0) for unknown models. |
| 191 | + """ |
| 192 | + return MODEL_PRICING.get(model, (0.0, 0.0)) |
| 193 | + |
| 194 | + @staticmethod |
| 195 | + def estimate_cost( |
| 196 | + model: str, |
| 197 | + input_tokens: int, |
| 198 | + output_tokens: int = 0, |
| 199 | + ) -> float: |
| 200 | + """Estimate cost for a model call without tracking. |
| 201 | +
|
| 202 | + Useful for pre-flight cost checks before making API calls. |
| 203 | +
|
| 204 | + Args: |
| 205 | + model: Model identifier |
| 206 | + input_tokens: Estimated input tokens |
| 207 | + output_tokens: Estimated output tokens (default 0) |
| 208 | +
|
| 209 | + Returns: |
| 210 | + Estimated cost in USD |
| 211 | + """ |
| 212 | + pricing = MODEL_PRICING.get(model, (0.0, 0.0)) |
| 213 | + return ( |
| 214 | + input_tokens * pricing[0] / 1_000_000 + |
| 215 | + output_tokens * pricing[1] / 1_000_000 |
| 216 | + ) |
0 commit comments