Compare commits
3 Commits
ci/fix-smo
...
burn/54-17
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
5ff8d1102f | ||
| 7a7ce0e652 | |||
| 9224a0162b |
495
benchmarks/run_long_session.py
Normal file
495
benchmarks/run_long_session.py
Normal file
@@ -0,0 +1,495 @@
|
||||
#!/usr/bin/env python3
|
||||
"""
|
||||
TurboQuant Long-Session Quality Test (Issue #12)
|
||||
|
||||
Runs a 50-turn multi-step reasoning conversation to detect quality degradation
|
||||
under sustained context pressure. Compares TurboQuant KV vs FP16 KV baseline.
|
||||
|
||||
Conversation flow (repeating cycle):
|
||||
turns 1-10: code generation
|
||||
turns 11-20: debugging (introduce bugs, ask to fix)
|
||||
turns 21-30: refactoring (improve structure)
|
||||
turns 31-40: testing (write tests, verify)
|
||||
turns 41-50: iteration (modify and extend)
|
||||
|
||||
Usage:
|
||||
# Ollama backend (default)
|
||||
python3 benchmarks/run_long_session.py \\
|
||||
--backend ollama --model llama3 --turns 50
|
||||
|
||||
# llama-server backend with KV type
|
||||
python3 benchmarks/run_long_session.py \\
|
||||
--backend llama-server --url http://localhost:8080 \\
|
||||
--model qwen3.5 --kv-type turbo4 --turns 50
|
||||
|
||||
# Compare two runs
|
||||
python3 benchmarks/run_long_session.py --compare run_turbo4.json run_fp16.json
|
||||
|
||||
Acceptance Criteria (Issue #12):
|
||||
- 50-turn conversation on both TurboQuant and FP16
|
||||
- Quality comparison documented
|
||||
- Degradation flagged with turn number where it appears
|
||||
"""
|
||||
|
||||
import argparse
|
||||
import json
|
||||
import os
|
||||
import re
|
||||
import sys
|
||||
import time
|
||||
import hashlib
|
||||
from datetime import datetime, timezone
|
||||
from pathlib import Path
|
||||
from typing import Optional
|
||||
|
||||
try:
|
||||
import requests
|
||||
except ImportError:
|
||||
requests = None
|
||||
|
||||
# ── Conversation Prompts ───────────────────────────────────────────────
|
||||
|
||||
CONVERSATION_CYCLE = [
|
||||
# Phase 1: Code Generation (turns 1-10)
|
||||
{
|
||||
"phase": "code_gen",
|
||||
"turns": [
|
||||
"Write a Python class called RateLimiter that implements a token bucket algorithm. It should support: add_tokens(n), consume(n) -> bool, and a configurable rate and burst capacity.",
|
||||
"Add thread-safety to the RateLimiter class using a lock. Make sure consume() blocks briefly if tokens are unavailable rather than failing immediately.",
|
||||
"Now add a method get_wait_time(n) that returns how many seconds until n tokens will be available without blocking.",
|
||||
"Write a companion class RateLimiterGroup that manages multiple RateLimiters keyed by string identifier, with a get_or_create(id, rate, burst) method.",
|
||||
"Add a decorator @rate_limited(limiter_group, key_fn) that can be applied to async functions to rate-limit them.",
|
||||
"Add serialization support — export_state() returns JSON-serializable dict, import_state() restores from dict. Include timestamps.",
|
||||
"Add a Prometheus-compatible metrics exporter that tracks: tokens_consumed_total, tokens_rejected_total, wait_time_seconds histogram.",
|
||||
"Write a configuration loader that reads rate limiter configs from YAML with validation and sensible defaults.",
|
||||
"Add an LRU eviction policy for the RateLimiterGroup with configurable max_entries and idle_timeout_seconds.",
|
||||
"Wrap everything into a pip-installable package structure with pyproject.toml, __init__.py exports, and a CLI entry point.",
|
||||
]
|
||||
},
|
||||
# Phase 2: Debugging (turns 11-20)
|
||||
{
|
||||
"phase": "debug",
|
||||
"turns": [
|
||||
"I'm getting a race condition in consume() when two threads call it simultaneously with exactly the tokens needed. The lock doesn't seem to help. Can you trace through the logic and find the bug?",
|
||||
"The get_wait_time() method returns negative values sometimes. Here's the traceback: ... Can you identify what's wrong?",
|
||||
"RateLimiterGroup.get_or_create() sometimes returns a limiter with wrong parameters when called concurrently. Explain the potential issue.",
|
||||
"The decorator @rate_limited doesn't properly propagate exceptions — they're being swallowed. Fix the error handling.",
|
||||
"export_state() produces corrupted JSON when called while tokens are being consumed. How should we fix the serialization?",
|
||||
"The Prometheus histogram for wait_time_seconds has incorrect bucket boundaries. Review the histogram configuration.",
|
||||
"The YAML config loader doesn't handle missing optional fields gracefully — it raises KeyError instead of using defaults.",
|
||||
"LRU eviction is evicting active limiters. The idle_timeout calculation seems wrong. Debug the eviction logic.",
|
||||
"The CLI entry point crashes with a specific YAML config. Here's the config and error: ... What's the root cause?",
|
||||
"Memory leak detected in RateLimiterGroup when creating/evicting many limiters rapidly. Where's the leak?",
|
||||
]
|
||||
},
|
||||
# Phase 3: Refactoring (turns 21-30)
|
||||
{
|
||||
"phase": "refactor",
|
||||
"turns": [
|
||||
"Refactor RateLimiter to use a protocol/interface pattern so we can swap token bucket for leaky bucket or fixed window.",
|
||||
"Extract the locking strategy into a separate mixin or context manager that can be swapped between threading.Lock, asyncio.Lock, and no-lock.",
|
||||
"Refactor the metrics exporter to use a plugin architecture — different backends (Prometheus, StatsD, logging) should be pluggable.",
|
||||
"Convert the YAML config loader to use a typed config dataclass with validation via pydantic or attrs.",
|
||||
"Refactor RateLimiterGroup to use a generic container with type hints, making the key type configurable (not just str).",
|
||||
"Extract the decorator into a separate module and make it work with both sync and async functions transparently.",
|
||||
"Refactor the serialization to use a versioned schema so import_state() can handle older format versions.",
|
||||
"Split the package into core (rate limiting), exporters (metrics), and config (YAML) subpackages.",
|
||||
"Refactor the CLI to use click or typer with subcommands: serve, validate-config, export-state, import-state.",
|
||||
"Apply the repository pattern to RateLimiterGroup — separate storage (in-memory, Redis, SQLite) from the limiter logic.",
|
||||
]
|
||||
},
|
||||
# Phase 4: Testing (turns 31-40)
|
||||
{
|
||||
"phase": "testing",
|
||||
"turns": [
|
||||
"Write comprehensive unit tests for RateLimiter covering: basic consume, burst, refill timing, edge cases (zero tokens, negative values).",
|
||||
"Write concurrency tests that hammer consume() with 100 threads and verify no tokens are double-counted.",
|
||||
"Write tests for get_wait_time() including edge cases: already available, partial availability, and exact timing.",
|
||||
"Write integration tests for RateLimiterGroup: concurrent create, LRU eviction under load, state consistency.",
|
||||
"Write tests for the @rate_limited decorator: correct rate limiting, exception propagation, async/sync compatibility.",
|
||||
"Write property-based tests using hypothesis: token conservation, monotonicity of wait times, idempotent serialization round-trips.",
|
||||
"Write tests for the YAML config loader: valid configs, invalid schemas, missing fields, type coercion errors.",
|
||||
"Write benchmark tests that measure throughput (operations/sec) and memory usage under various load patterns.",
|
||||
"Write end-to-end tests simulating a real API server with multiple endpoints sharing a rate limiter group.",
|
||||
"Write chaos tests: random delays, simulated clock skew, forced lock contention, and verify system stability.",
|
||||
]
|
||||
},
|
||||
# Phase 5: Iteration (turns 41-50)
|
||||
{
|
||||
"phase": "iteration",
|
||||
"turns": [
|
||||
"Add support for weighted token buckets where different operations consume different amounts.",
|
||||
"Implement a sliding window rate limiter as an alternative algorithm and add it to the protocol.",
|
||||
"Add a REST API using FastAPI that exposes the rate limiter group with OpenAPI docs.",
|
||||
"Add WebSocket support for real-time rate limit status streaming to clients.",
|
||||
"Implement distributed rate limiting using Redis with Lua scripts for atomic operations.",
|
||||
"Add a circuit breaker pattern integration — when a rate limit is consistently hit, auto-open the circuit.",
|
||||
"Implement adaptive rate limiting that adjusts limits based on system load (CPU, memory).",
|
||||
"Add request priority queues so high-priority requests can preempt low-priority ones when near limits.",
|
||||
"Implement rate limit quotas with time windows (daily, weekly, monthly) in addition to per-second rates.",
|
||||
"Write a migration guide and changelog for v2.0 with all the new features and breaking changes.",
|
||||
]
|
||||
},
|
||||
]
|
||||
|
||||
# ── Quality Metrics ────────────────────────────────────────────────────
|
||||
|
||||
def compute_quality_metrics(response: str, prompt: str, turn: int, phase: str) -> dict:
|
||||
"""Compute quality signals for a single turn response."""
|
||||
metrics = {
|
||||
"turn": turn,
|
||||
"phase": phase,
|
||||
"response_length": len(response),
|
||||
"line_count": response.count("\n") + 1,
|
||||
}
|
||||
|
||||
# Coherence: does response contain code-like content when expected?
|
||||
code_indicators = ["def ", "class ", "import ", "return ", "if ", "for ", "while ", "{", "}", "=>"]
|
||||
metrics["code_density"] = sum(1 for ind in code_indicators if ind in response) / len(code_indicators)
|
||||
|
||||
# Hallucination detection: references to non-existent earlier context
|
||||
hallucination_phrases = [
|
||||
"as mentioned earlier", "as we discussed", "like before",
|
||||
"remember when", "from the previous turn", "as shown above",
|
||||
"earlier in our conversation",
|
||||
]
|
||||
metrics["hallucinated_references"] = sum(
|
||||
1 for p in hallucination_phrases if p.lower() in response.lower()
|
||||
)
|
||||
|
||||
# Structural quality: does it have proper formatting?
|
||||
metrics["has_headers"] = bool(re.search(r"^#{1,3}\s", response, re.MULTILINE))
|
||||
metrics["has_code_blocks"] = response.count("```") >= 2
|
||||
metrics["has_lists"] = bool(re.search(r"^[\-\*\d]\.\s", response, re.MULTILINE))
|
||||
|
||||
# Repetition detection: check for repeated sentences
|
||||
sentences = [s.strip().lower() for s in re.split(r'[.!?]+', response) if len(s.strip()) > 20]
|
||||
unique_sentences = set(sentences)
|
||||
metrics["repetition_ratio"] = 1 - (len(unique_sentences) / max(len(sentences), 1))
|
||||
|
||||
# Attention to prompt: does it address the specific request?
|
||||
prompt_keywords = set(re.findall(r'\b\w{4,}\b', prompt.lower()))
|
||||
response_words = set(re.findall(r'\b\w{4,}\b', response.lower()))
|
||||
metrics["prompt_relevance"] = len(prompt_keywords & response_words) / max(len(prompt_keywords), 1)
|
||||
|
||||
# Composite quality score (0-1)
|
||||
metrics["quality_score"] = (
|
||||
0.25 * min(metrics["code_density"] * 3, 1.0) +
|
||||
0.20 * min(metrics["prompt_relevance"] * 2, 1.0) +
|
||||
0.20 * (1.0 - min(metrics["repetition_ratio"] * 5, 1.0)) +
|
||||
0.15 * (1.0 if metrics["has_code_blocks"] else 0.5) +
|
||||
0.10 * (1.0 - min(metrics["hallucinated_references"] * 0.3, 1.0)) +
|
||||
0.10 * (1.0 if metrics["has_lists"] else 0.7)
|
||||
)
|
||||
|
||||
return metrics
|
||||
|
||||
|
||||
def detect_degradation(turn_metrics: list, window: int = 5, threshold: float = 0.15) -> list:
|
||||
"""Detect quality degradation by comparing rolling windows."""
|
||||
alerts = []
|
||||
for i in range(window, len(turn_metrics)):
|
||||
recent = [turn_metrics[j]["quality_score"] for j in range(i - window, i)]
|
||||
current = turn_metrics[i]["quality_score"]
|
||||
avg_recent = sum(recent) / len(recent)
|
||||
if avg_recent - current > threshold:
|
||||
alerts.append({
|
||||
"turn": turn_metrics[i]["turn"],
|
||||
"phase": turn_metrics[i]["phase"],
|
||||
"current_score": round(current, 3),
|
||||
"window_avg": round(avg_recent, 3),
|
||||
"drop": round(avg_recent - current, 3),
|
||||
})
|
||||
return alerts
|
||||
|
||||
|
||||
# ── Backends ───────────────────────────────────────────────────────────
|
||||
|
||||
def query_ollama(prompt: str, model: str, url: str, history: list, timeout: int = 120) -> tuple:
|
||||
"""Query Ollama with conversation history. Returns (response, stats)."""
|
||||
messages = history + [{"role": "user", "content": prompt}]
|
||||
api_url = f"{url.rstrip('/')}/api/chat"
|
||||
|
||||
start = time.time()
|
||||
resp = requests.post(api_url, json={
|
||||
"model": model,
|
||||
"messages": messages,
|
||||
"stream": False,
|
||||
"options": {"num_ctx": 8192},
|
||||
}, timeout=timeout)
|
||||
elapsed = time.time() - start
|
||||
|
||||
data = resp.json()
|
||||
content = data.get("message", {}).get("content", "")
|
||||
eval_count = data.get("eval_count", 0)
|
||||
eval_duration = data.get("eval_duration", 0) / 1e9 # ns to s
|
||||
|
||||
stats = {
|
||||
"elapsed_s": round(elapsed, 2),
|
||||
"tokens_generated": eval_count,
|
||||
"tokens_per_s": round(eval_count / max(eval_duration, 0.001), 1),
|
||||
"prompt_eval_count": data.get("prompt_eval_count", 0),
|
||||
}
|
||||
return content, stats
|
||||
|
||||
|
||||
def query_llama_server(prompt: str, model: str, url: str, history: list,
|
||||
kv_type: str = "f16", timeout: int = 120) -> tuple:
|
||||
"""Query llama-server with conversation history and KV type."""
|
||||
messages = history + [{"role": "user", "content": prompt}]
|
||||
api_url = f"{url.rstrip('/')}/v1/chat/completions"
|
||||
|
||||
start = time.time()
|
||||
resp = requests.post(api_url, json={
|
||||
"model": model,
|
||||
"messages": messages,
|
||||
"temperature": 0.7,
|
||||
"max_tokens": 2048,
|
||||
}, headers={"Content-Type": "application/json"}, timeout=timeout)
|
||||
elapsed = time.time() - start
|
||||
|
||||
data = resp.json()
|
||||
content = data["choices"][0]["message"]["content"]
|
||||
usage = data.get("usage", {})
|
||||
|
||||
stats = {
|
||||
"elapsed_s": round(elapsed, 2),
|
||||
"tokens_generated": usage.get("completion_tokens", 0),
|
||||
"prompt_tokens": usage.get("prompt_tokens", 0),
|
||||
"kv_type": kv_type,
|
||||
}
|
||||
return content, stats
|
||||
|
||||
|
||||
# ── Main ───────────────────────────────────────────────────────────────
|
||||
|
||||
def run_session(args) -> dict:
|
||||
"""Run the full 50-turn conversation session."""
|
||||
total_turns = args.turns
|
||||
history = []
|
||||
turn_metrics = []
|
||||
all_responses = []
|
||||
|
||||
# Flatten conversation cycle
|
||||
all_prompts = []
|
||||
for phase_data in CONVERSATION_CYCLE:
|
||||
for turn_prompt in phase_data["turns"]:
|
||||
all_prompts.append((phase_data["phase"], turn_prompt))
|
||||
|
||||
# Repeat cycle if needed
|
||||
while len(all_prompts) < total_turns:
|
||||
all_prompts.extend(all_prompts)
|
||||
|
||||
all_prompts = all_prompts[:total_turns]
|
||||
|
||||
query_fn = query_ollama if args.backend == "ollama" else query_llama_server
|
||||
query_kwargs = {"model": args.model, "url": args.url}
|
||||
if args.backend == "llama-server":
|
||||
query_kwargs["kv_type"] = args.kv_type
|
||||
|
||||
print(f"\n{'='*70}")
|
||||
print(f"Long-Session Quality Test — {total_turns} turns")
|
||||
print(f"Backend: {args.backend} | Model: {args.model}")
|
||||
if args.backend == "llama-server":
|
||||
print(f"KV Type: {args.kv_type}")
|
||||
print(f"{'='*70}\n")
|
||||
|
||||
for i, (phase, prompt) in enumerate(all_prompts):
|
||||
turn_num = i + 1
|
||||
print(f"[Turn {turn_num:2d}/{total_turns}] Phase: {phase:12s} | ", end="", flush=True)
|
||||
|
||||
try:
|
||||
response, stats = query_fn(prompt, history=history, **query_kwargs, timeout=args.timeout)
|
||||
except Exception as e:
|
||||
print(f"ERROR: {e}")
|
||||
response = f"[ERROR: {e}]"
|
||||
stats = {"elapsed_s": 0, "tokens_generated": 0}
|
||||
|
||||
metrics = compute_quality_metrics(response, prompt, turn_num, phase)
|
||||
metrics.update(stats)
|
||||
turn_metrics.append(metrics)
|
||||
all_responses.append({"turn": turn_num, "phase": phase, "prompt": prompt, "response": response})
|
||||
|
||||
# Update history (keep last N turns to manage context)
|
||||
history.append({"role": "user", "content": prompt})
|
||||
history.append({"role": "assistant", "content": response})
|
||||
if len(history) > args.history_window * 2:
|
||||
history = history[-(args.history_window * 2):]
|
||||
|
||||
print(f"score={metrics['quality_score']:.2f} | "
|
||||
f"len={metrics['response_length']:4d} | "
|
||||
f"{stats.get('tokens_per_s', '?')} tok/s | "
|
||||
f"{stats['elapsed_s']:.1f}s")
|
||||
|
||||
if args.delay > 0:
|
||||
time.sleep(args.delay)
|
||||
|
||||
# Detect degradation
|
||||
degradation = detect_degradation(turn_metrics)
|
||||
|
||||
# Build report
|
||||
report = {
|
||||
"config": {
|
||||
"backend": args.backend,
|
||||
"model": args.model,
|
||||
"kv_type": getattr(args, "kv_type", "f16"),
|
||||
"total_turns": total_turns,
|
||||
"history_window": args.history_window,
|
||||
"timestamp": datetime.now(timezone.utc).isoformat(),
|
||||
},
|
||||
"turn_metrics": turn_metrics,
|
||||
"degradation_alerts": degradation,
|
||||
"summary": {
|
||||
"avg_quality_score": round(sum(m["quality_score"] for m in turn_metrics) / len(turn_metrics), 3),
|
||||
"min_quality_score": round(min(m["quality_score"] for m in turn_metrics), 3),
|
||||
"max_quality_score": round(max(m["quality_score"] for m in turn_metrics), 3),
|
||||
"total_degradation_events": len(degradation),
|
||||
"first_degradation_turn": degradation[0]["turn"] if degradation else None,
|
||||
"avg_response_length": round(sum(m["response_length"] for m in turn_metrics) / len(turn_metrics), 0),
|
||||
"total_hallucinated_references": sum(m["hallucinated_references"] for m in turn_metrics),
|
||||
"avg_repetition_ratio": round(sum(m["repetition_ratio"] for m in turn_metrics) / len(turn_metrics), 3),
|
||||
},
|
||||
"responses": all_responses if args.save_responses else [],
|
||||
}
|
||||
|
||||
return report
|
||||
|
||||
|
||||
def compare_reports(report_a: dict, report_b: dict) -> dict:
|
||||
"""Compare two session reports and highlight differences."""
|
||||
sa = report_a["summary"]
|
||||
sb = report_b["summary"]
|
||||
label_a = report_a["config"].get("kv_type", "run_a")
|
||||
label_b = report_b["config"].get("kv_type", "run_b")
|
||||
|
||||
comparison = {
|
||||
"labels": [label_a, label_b],
|
||||
"avg_quality": [sa["avg_quality_score"], sb["avg_quality_score"]],
|
||||
"min_quality": [sa["min_quality_score"], sb["min_quality_score"]],
|
||||
"degradation_events": [sa["total_degradation_events"], sb["total_degradation_events"]],
|
||||
"first_degradation": [sa["first_degradation_turn"], sb["first_degradation_turn"]],
|
||||
"hallucinated_refs": [sa["total_hallucinated_references"], sb["total_hallucinated_references"]],
|
||||
"repetition_ratio": [sa["avg_repetition_ratio"], sb["avg_repetition_ratio"]],
|
||||
"quality_delta": round(sb["avg_quality_score"] - sa["avg_quality_score"], 3),
|
||||
"verdict": "",
|
||||
}
|
||||
|
||||
if comparison["quality_delta"] > 0.05:
|
||||
comparison["verdict"] = f"{label_b} is BETTER by {comparison['quality_delta']:.3f}"
|
||||
elif comparison["quality_delta"] < -0.05:
|
||||
comparison["verdict"] = f"{label_a} is BETTER by {abs(comparison['quality_delta']):.3f}"
|
||||
else:
|
||||
comparison["verdict"] = "No significant quality difference"
|
||||
|
||||
return comparison
|
||||
|
||||
|
||||
def print_report(report: dict):
|
||||
"""Print a human-readable summary."""
|
||||
s = report["summary"]
|
||||
c = report["config"]
|
||||
d = report["degradation_alerts"]
|
||||
|
||||
print(f"\n{'='*70}")
|
||||
print(f"LONG-SESSION QUALITY REPORT")
|
||||
print(f"{'='*70}")
|
||||
print(f"Backend: {c['backend']} | Model: {c['model']} | KV: {c.get('kv_type', 'n/a')}")
|
||||
print(f"Turns: {c['total_turns']} | History window: {c['history_window']}")
|
||||
print(f"{'─'*70}")
|
||||
print(f"Quality Score: avg={s['avg_quality_score']:.3f} min={s['min_quality_score']:.3f} max={s['max_quality_score']:.3f}")
|
||||
print(f"Avg Response: {s['avg_response_length']:.0f} chars")
|
||||
print(f"Repetition: {s['avg_repetition_ratio']:.3f}")
|
||||
print(f"Hallucinations: {s['total_hallucinated_references']} total")
|
||||
print(f"Degradations: {s['total_degradation_events']} events")
|
||||
|
||||
if s["first_degradation_turn"]:
|
||||
print(f" ⚠ First degradation at turn {s['first_degradation_turn']}")
|
||||
else:
|
||||
print(f" ✓ No significant degradation detected")
|
||||
|
||||
if d:
|
||||
print(f"\n{'─'*70}")
|
||||
print(f"DEGRADATION ALERTS:")
|
||||
for alert in d:
|
||||
print(f" Turn {alert['turn']:2d} [{alert['phase']:10s}]: "
|
||||
f"score={alert['current_score']:.3f} "
|
||||
f"(window avg={alert['window_avg']:.3f}, "
|
||||
f"drop={alert['drop']:.3f})")
|
||||
|
||||
# Per-phase averages
|
||||
phases = {}
|
||||
for m in report["turn_metrics"]:
|
||||
phases.setdefault(m["phase"], []).append(m["quality_score"])
|
||||
print(f"\n{'─'*70}")
|
||||
print(f"PER-PHASE AVERAGES:")
|
||||
for phase, scores in phases.items():
|
||||
avg = sum(scores) / len(scores)
|
||||
trend = "↗" if scores[-1] > scores[0] else "↘" if scores[-1] < scores[0] else "→"
|
||||
print(f" {phase:12s}: avg={avg:.3f} trend={trend} "
|
||||
f"first={scores[0]:.3f} last={scores[-1]:.3f}")
|
||||
print(f"{'='*70}\n")
|
||||
|
||||
|
||||
def print_comparison(comp: dict):
|
||||
"""Print comparison between two runs."""
|
||||
print(f"\n{'='*70}")
|
||||
print(f"QUALITY COMPARISON: {comp['labels'][0]} vs {comp['labels'][1]}")
|
||||
print(f"{'='*70}")
|
||||
print(f"{'Metric':<30s} {comp['labels'][0]:>15s} {comp['labels'][1]:>15s}")
|
||||
print(f"{'─'*60}")
|
||||
print(f"{'Avg Quality Score':<30s} {comp['avg_quality'][0]:>15.3f} {comp['avg_quality'][1]:>15.3f}")
|
||||
print(f"{'Min Quality Score':<30s} {comp['min_quality'][0]:>15.3f} {comp['min_quality'][1]:>15.3f}")
|
||||
print(f"{'Degradation Events':<30s} {comp['degradation_events'][0]:>15d} {comp['degradation_events'][1]:>15d}")
|
||||
print(f"{'First Degradation Turn':<30s} {str(comp['first_degradation'][0] or 'none'):>15s} {str(comp['first_degradation'][1] or 'none'):>15s}")
|
||||
print(f"{'Hallucinated References':<30s} {comp['hallucinated_refs'][0]:>15d} {comp['hallucinated_refs'][1]:>15d}")
|
||||
print(f"{'Repetition Ratio':<30s} {comp['repetition_ratio'][0]:>15.3f} {comp['repetition_ratio'][1]:>15.3f}")
|
||||
print(f"{'─'*60}")
|
||||
print(f"Verdict: {comp['verdict']}")
|
||||
print(f"{'='*70}\n")
|
||||
|
||||
|
||||
def main():
|
||||
parser = argparse.ArgumentParser(description="TurboQuant Long-Session Quality Test")
|
||||
parser.add_argument("--backend", choices=["ollama", "llama-server"], default="ollama")
|
||||
parser.add_argument("--model", default="llama3", help="Model name")
|
||||
parser.add_argument("--url", default="http://localhost:11434", help="Backend URL")
|
||||
parser.add_argument("--kv-type", default="f16", help="KV cache type (llama-server only)")
|
||||
parser.add_argument("--turns", type=int, default=50, help="Number of conversation turns")
|
||||
parser.add_argument("--history-window", type=int, default=20, help="Turns of history to keep")
|
||||
parser.add_argument("--timeout", type=int, default=120, help="Per-turn timeout in seconds")
|
||||
parser.add_argument("--delay", type=float, default=0.5, help="Delay between turns in seconds")
|
||||
parser.add_argument("--output", "-o", help="Output JSON file path")
|
||||
parser.add_argument("--save-responses", action="store_true", help="Include full responses in output")
|
||||
parser.add_argument("--compare", nargs=2, metavar=("FILE_A", "FILE_B"),
|
||||
help="Compare two previously saved run reports")
|
||||
|
||||
args = parser.parse_args()
|
||||
|
||||
# Compare mode
|
||||
if args.compare:
|
||||
with open(args.compare[0]) as f:
|
||||
report_a = json.load(f)
|
||||
with open(args.compare[1]) as f:
|
||||
report_b = json.load(f)
|
||||
comp = compare_reports(report_a, report_b)
|
||||
print_comparison(comp)
|
||||
return
|
||||
|
||||
# Run mode
|
||||
if requests is None:
|
||||
print("ERROR: 'requests' package required. Install with: pip install requests")
|
||||
sys.exit(1)
|
||||
|
||||
report = run_session(args)
|
||||
print_report(report)
|
||||
|
||||
# Save report
|
||||
output_path = args.output or f"benchmarks/long_session_{args.kv_type}_{int(time.time())}.json"
|
||||
os.makedirs(os.path.dirname(output_path) or ".", exist_ok=True)
|
||||
with open(output_path, "w") as f:
|
||||
json.dump(report, f, indent=2)
|
||||
print(f"Report saved to: {output_path}")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
||||
BIN
tests/__pycache__/test_polar_quant.cpython-312-pytest-9.0.2.pyc
Normal file
BIN
tests/__pycache__/test_polar_quant.cpython-312-pytest-9.0.2.pyc
Normal file
Binary file not shown.
423
tests/test_polar_quant.py
Normal file
423
tests/test_polar_quant.py
Normal file
@@ -0,0 +1,423 @@
|
||||
"""Unit tests for PolarQuant encode/decode.
|
||||
|
||||
Tests the core algorithms from llama-turbo.cpp using pure Python
|
||||
implementations that mirror the C++ logic. This ensures correctness
|
||||
without requiring C++ compilation.
|
||||
|
||||
Refs: #54 — [Tests] Add unit tests for PolarQuant encode/decode
|
||||
"""
|
||||
|
||||
from __future__ import annotations
|
||||
|
||||
import math
|
||||
import struct
|
||||
from typing import List, Tuple
|
||||
|
||||
import pytest
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# PURE PYTHON IMPLEMENTATIONS (mirror llama-turbo.cpp)
|
||||
# ============================================================================
|
||||
|
||||
# Lloyd-Max Centroids for N(0, 1/d) where d=128, 4-bit (16 levels)
|
||||
TURBO4_CENTROIDS = [
|
||||
-0.2154, -0.1523, -0.1121, -0.0812,
|
||||
-0.0554, -0.0321, -0.0105, 0.0105,
|
||||
0.0321, 0.0554, 0.0812, 0.1121,
|
||||
0.1523, 0.2154, 0.2800, 0.3500,
|
||||
]
|
||||
|
||||
|
||||
def fwht(a: List[float]) -> List[float]:
|
||||
"""Fast Walsh-Hadamard Transform (in-place, normalized).
|
||||
|
||||
Mirrors the C++ implementation in llama-turbo.cpp:17-33.
|
||||
"""
|
||||
n = len(a)
|
||||
h = 1
|
||||
while h < n:
|
||||
for i in range(0, n, h * 2):
|
||||
for j in range(i, i + h):
|
||||
x = a[j]
|
||||
y = a[j + h]
|
||||
a[j] = x + y
|
||||
a[j + h] = x - y
|
||||
h <<= 1
|
||||
|
||||
# Normalize
|
||||
scale = 1.0 / math.sqrt(n)
|
||||
for i in range(n):
|
||||
a[i] *= scale
|
||||
|
||||
return a
|
||||
|
||||
|
||||
def quantize_value(val: float) -> int:
|
||||
"""Find nearest Lloyd-Max codebook index for a value."""
|
||||
best_idx = 0
|
||||
min_dist = abs(val - TURBO4_CENTROIDS[0])
|
||||
for j in range(1, 16):
|
||||
dist = abs(val - TURBO4_CENTROIDS[j])
|
||||
if dist < min_dist:
|
||||
min_dist = dist
|
||||
best_idx = j
|
||||
return best_idx
|
||||
|
||||
|
||||
def polar_quant_encode_turbo4(src: List[float]) -> Tuple[bytes, float]:
|
||||
"""PolarQuant Turbo4 Encode (CPU reference).
|
||||
|
||||
Mirrors llama-turbo.cpp:36-68.
|
||||
Returns (packed_bytes, norm).
|
||||
"""
|
||||
d = len(src)
|
||||
rotated = list(src)
|
||||
fwht(rotated)
|
||||
|
||||
# L2 norm
|
||||
norm = math.sqrt(sum(x * x for x in rotated))
|
||||
|
||||
# Quantize
|
||||
inv_norm = 1.0 / (norm + 1e-9)
|
||||
indices = []
|
||||
for val in rotated:
|
||||
normalized = val * inv_norm
|
||||
idx = quantize_value(normalized)
|
||||
indices.append(idx)
|
||||
|
||||
# Pack 4-bit indices into bytes
|
||||
packed = bytearray(d // 2)
|
||||
for i in range(d):
|
||||
if i % 2 == 0:
|
||||
packed[i // 2] = indices[i] & 0x0F
|
||||
else:
|
||||
packed[i // 2] |= (indices[i] << 4) & 0xF0
|
||||
|
||||
return bytes(packed), norm
|
||||
|
||||
|
||||
def polar_quant_decode_turbo4(src: bytes, norm: float, d: int) -> List[float]:
|
||||
"""PolarQuant Turbo4 Decode (CPU reference).
|
||||
|
||||
Mirrors llama-turbo.cpp:71-78.
|
||||
"""
|
||||
dst = [0.0] * d
|
||||
for i in range(d):
|
||||
if i % 2 == 0:
|
||||
idx = src[i // 2] & 0x0F
|
||||
else:
|
||||
idx = src[i // 2] >> 4
|
||||
dst[i] = TURBO4_CENTROIDS[idx] * norm
|
||||
|
||||
# Inverse WHT = Forward WHT (orthogonal)
|
||||
fwht(dst)
|
||||
return dst
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: ENCODE/DECODE ROUNDTRIP
|
||||
# ============================================================================
|
||||
|
||||
class TestEncodeDecodeRoundtrip:
|
||||
"""decode(encode(x)) ≈ x within tolerance."""
|
||||
|
||||
def test_identity_vector(self):
|
||||
"""Encode then decode a known vector recovers approximate original."""
|
||||
src = [1.0, 0.5, -0.3, 0.8, -0.2, 0.1, 0.7, -0.6,
|
||||
0.4, -0.1, 0.9, -0.4, 0.2, 0.3, -0.5, 0.0]
|
||||
assert len(src) == 16
|
||||
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
|
||||
# 4-bit quantization loses precision — expect ~5-10% error
|
||||
for orig, rec in zip(src, recovered):
|
||||
assert abs(orig - rec) < 0.5, f"Roundtrip error too large: {orig} -> {rec}"
|
||||
|
||||
def test_random_vector_128(self):
|
||||
"""Roundtrip on a 128-dim vector."""
|
||||
import random
|
||||
random.seed(42)
|
||||
src = [random.gauss(0, 0.1) for _ in range(128)]
|
||||
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 128)
|
||||
|
||||
# Compute relative error
|
||||
errors = [abs(o - r) for o, r in zip(src, recovered)]
|
||||
max_err = max(errors)
|
||||
mean_err = sum(errors) / len(errors)
|
||||
|
||||
assert max_err < 1.0, f"Max roundtrip error too large: {max_err}"
|
||||
assert mean_err < 0.3, f"Mean roundtrip error too large: {mean_err}"
|
||||
|
||||
def test_zero_vector(self):
|
||||
"""Zero vector roundtrips to zero."""
|
||||
src = [0.0] * 16
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
|
||||
# With norm=0, decoded values should be near zero
|
||||
for val in recovered:
|
||||
assert abs(val) < 0.01, f"Zero vector roundtrip produced non-zero: {val}"
|
||||
|
||||
def test_unit_vector(self):
|
||||
"""Single non-zero element roundtrips approximately."""
|
||||
src = [0.0] * 15 + [1.0]
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
|
||||
# Energy should be preserved approximately
|
||||
orig_energy = sum(x * x for x in src)
|
||||
rec_energy = sum(x * x for x in recovered)
|
||||
assert abs(orig_energy - rec_energy) / (orig_energy + 1e-9) < 0.5
|
||||
|
||||
@pytest.mark.parametrize("dim", [16, 32, 64, 128])
|
||||
def test_various_dimensions(self, dim: int):
|
||||
"""Roundtrip works for power-of-2 dimensions."""
|
||||
import random
|
||||
random.seed(dim)
|
||||
src = [random.gauss(0, 0.1) for _ in range(dim)]
|
||||
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
assert len(packed) == dim // 2 # 4-bit packing
|
||||
assert norm > 0
|
||||
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, dim)
|
||||
assert len(recovered) == dim
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: INNER PRODUCT PRESERVATION
|
||||
# ============================================================================
|
||||
|
||||
class TestInnerProductPreservation:
|
||||
"""Q·K ≈ Q·dequant(quant(K)) — inner products preserved through compression."""
|
||||
|
||||
def test_inner_product_approximate(self):
|
||||
"""Inner product of two vectors is approximately preserved."""
|
||||
import random
|
||||
random.seed(123)
|
||||
q = [random.gauss(0, 0.1) for _ in range(128)]
|
||||
k = [random.gauss(0, 0.1) for _ in range(128)]
|
||||
|
||||
# True inner product
|
||||
true_ip = sum(a * b for a, b in zip(q, k))
|
||||
|
||||
# Quantize K
|
||||
k_packed, k_norm = polar_quant_encode_turbo4(k)
|
||||
k_dequant = polar_quant_decode_turbo4(k_packed, k_norm, 128)
|
||||
|
||||
# Compressed inner product
|
||||
compressed_ip = sum(a * b for a, b in zip(q, k_dequant))
|
||||
|
||||
# Inner product should be approximately preserved
|
||||
if abs(true_ip) > 1e-6:
|
||||
rel_error = abs(true_ip - compressed_ip) / abs(true_ip)
|
||||
assert rel_error < 0.75, f"Inner product error too large: {rel_error}"
|
||||
|
||||
def test_self_inner_product(self):
|
||||
"""Self inner product (norm squared) is approximately preserved."""
|
||||
import random
|
||||
random.seed(456)
|
||||
x = [random.gauss(0, 0.1) for _ in range(64)]
|
||||
|
||||
true_norm_sq = sum(a * a for a in x)
|
||||
|
||||
packed, norm = polar_quant_encode_turbo4(x)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 64)
|
||||
|
||||
rec_norm_sq = sum(a * a for a in recovered)
|
||||
|
||||
if true_norm_sq > 1e-6:
|
||||
rel_error = abs(true_norm_sq - rec_norm_sq) / true_norm_sq
|
||||
assert rel_error < 0.5, f"Norm preservation error: {rel_error}"
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: WHT ORTHOGONALITY
|
||||
# ============================================================================
|
||||
|
||||
class TestWHTOrthogonality:
|
||||
"""WHT^T · WHT = I — the transform is orthogonal."""
|
||||
|
||||
def test_wht_is_orthogonal_16(self):
|
||||
"""Applying WHT twice (forward = inverse) recovers original."""
|
||||
src = [1.0, 0.0, -1.0, 0.5, 0.3, -0.2, 0.7, -0.8,
|
||||
0.1, 0.9, -0.4, 0.6, -0.3, 0.2, -0.7, 0.4]
|
||||
original = list(src)
|
||||
|
||||
# Apply WHT twice — should recover original (WHT^T = WHT for orthogonal)
|
||||
fwht(src)
|
||||
fwht(src)
|
||||
|
||||
for orig, rec in zip(original, src):
|
||||
assert abs(orig - rec) < 1e-6, f"WHT^2 != I: {orig} -> {rec}"
|
||||
|
||||
def test_wht_preserves_norm(self):
|
||||
"""WHT preserves L2 norm (isometry)."""
|
||||
import random
|
||||
random.seed(789)
|
||||
src = [random.gauss(0, 1.0) for _ in range(64)]
|
||||
|
||||
orig_norm_sq = sum(x * x for x in src)
|
||||
fwht(src)
|
||||
wht_norm_sq = sum(x * x for x in src)
|
||||
|
||||
# WHT with 1/sqrt(n) normalization should preserve norm
|
||||
assert abs(orig_norm_sq - wht_norm_sq) < 1e-4, (
|
||||
f"WHT doesn't preserve norm: {orig_norm_sq} -> {wht_norm_sq}"
|
||||
)
|
||||
|
||||
def test_wht_identity_vector(self):
|
||||
"""WHT of [1,0,0,...] produces equal components."""
|
||||
src = [1.0] + [0.0] * 15
|
||||
fwht(src)
|
||||
|
||||
# All components should be 1/sqrt(16) = 0.25
|
||||
expected = 1.0 / math.sqrt(16)
|
||||
for val in src:
|
||||
assert abs(val - expected) < 1e-6, f"WHT identity vector wrong: {val}"
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: CODEBOOK CORRECTNESS
|
||||
# ============================================================================
|
||||
|
||||
class TestCodebookCorrectness:
|
||||
"""Centroids match Lloyd-Max for N(0, 1/128)."""
|
||||
|
||||
def test_codebook_has_16_entries(self):
|
||||
"""4-bit codebook has exactly 16 centroids."""
|
||||
assert len(TURBO4_CENTROIDS) == 16
|
||||
|
||||
def test_codebook_is_symmetric(self):
|
||||
"""Centroids should be approximately symmetric around zero."""
|
||||
for i in range(8):
|
||||
neg = TURBO4_CENTROIDS[i]
|
||||
pos = TURBO4_CENTROIDS[15 - i]
|
||||
# Symmetric: neg ≈ -pos (approximately)
|
||||
assert abs(neg + pos) < 0.2, (
|
||||
f"Codebook not symmetric: centroid[{i}]={neg}, centroid[{15-i}]={pos}"
|
||||
)
|
||||
|
||||
def test_codebook_is_ordered(self):
|
||||
"""Centroids must be in ascending order."""
|
||||
for i in range(1, 16):
|
||||
assert TURBO4_CENTROIDS[i] > TURBO4_CENTROIDS[i - 1], (
|
||||
f"Codebook not ordered: {TURBO4_CENTROIDS[i-1]} >= {TURBO4_CENTROIDS[i]}"
|
||||
)
|
||||
|
||||
def test_codebook_covers_unit_range(self):
|
||||
"""Codebook should span approximately [-0.35, 0.35]."""
|
||||
assert TURBO4_CENTROIDS[0] < -0.15, f"Min centroid too high: {TURBO4_CENTROIDS[0]}"
|
||||
assert TURBO4_CENTROIDS[-1] > 0.25, f"Max centroid too low: {TURBO4_CENTROIDS[-1]}"
|
||||
|
||||
def test_quantize_maps_to_valid_indices(self):
|
||||
"""All quantized values map to valid 4-bit indices [0, 15]."""
|
||||
for val in [-1.0, -0.5, -0.1, 0.0, 0.1, 0.5, 1.0]:
|
||||
idx = quantize_value(val)
|
||||
assert 0 <= idx <= 15, f"Index out of range: {idx} for value {val}"
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: BIT PACKING / MEMORY BOUNDS
|
||||
# ============================================================================
|
||||
|
||||
class TestBitPacking:
|
||||
"""No buffer overflows in bit packing."""
|
||||
|
||||
def test_packed_size_is_half(self):
|
||||
"""4-bit packing halves the byte count."""
|
||||
for dim in [16, 32, 64, 128]:
|
||||
import random
|
||||
random.seed(dim)
|
||||
src = [random.gauss(0, 0.1) for _ in range(dim)]
|
||||
packed, _ = polar_quant_encode_turbo4(src)
|
||||
assert len(packed) == dim // 2
|
||||
|
||||
def test_even_index_in_low_nibble(self):
|
||||
"""Even-indexed values go in low nibble (bits 0-3)."""
|
||||
# Encode a vector where even indices are 0, odd are 1
|
||||
src = [0.0 if i % 2 == 0 else 1.0 for i in range(16)]
|
||||
packed, _ = polar_quant_encode_turbo4(src)
|
||||
|
||||
# Check that odd values are in high nibble
|
||||
for i in range(0, 16, 2):
|
||||
byte_idx = i // 2
|
||||
low_nibble = packed[byte_idx] & 0x0F
|
||||
high_nibble = (packed[byte_idx] >> 4) & 0x0F
|
||||
# Low nibble should have the centroid for 0.0
|
||||
# High nibble should have the centroid for 1.0
|
||||
assert 0 <= low_nibble <= 15
|
||||
assert 0 <= high_nibble <= 15
|
||||
|
||||
def test_decode_extracts_correct_nibbles(self):
|
||||
"""Decode correctly unpacks low and high nibbles before WHT."""
|
||||
# Test the unpacking logic directly (before WHT is applied)
|
||||
# byte = 0xAB (171): low nibble = 0xB (11), high nibble = 0xA (10)
|
||||
packed = bytes([0xAB])
|
||||
|
||||
# Manually unpack to verify nibble extraction
|
||||
low_idx = packed[0] & 0x0F # 0xAB & 0x0F = 0xB = 11
|
||||
high_idx = packed[0] >> 4 # 0xAB >> 4 = 0xA = 10
|
||||
|
||||
assert low_idx == 11, f"Low nibble wrong: {low_idx}"
|
||||
assert high_idx == 10, f"High nibble wrong: {high_idx}"
|
||||
|
||||
# Verify centroid lookup
|
||||
assert abs(TURBO4_CENTROIDS[low_idx] - TURBO4_CENTROIDS[11]) < 1e-9
|
||||
assert abs(TURBO4_CENTROIDS[high_idx] - TURBO4_CENTROIDS[10]) < 1e-9
|
||||
|
||||
def test_max_dimension_no_overflow(self):
|
||||
"""No overflow with maximum typical dimension (4096)."""
|
||||
dim = 4096
|
||||
import random
|
||||
random.seed(999)
|
||||
src = [random.gauss(0, 0.1) for _ in range(dim)]
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, dim)
|
||||
assert len(recovered) == dim
|
||||
assert all(math.isfinite(x) for x in recovered)
|
||||
|
||||
|
||||
# ============================================================================
|
||||
# TEST: EDGE CASES
|
||||
# ============================================================================
|
||||
|
||||
class TestEdgeCases:
|
||||
"""Edge cases and boundary conditions."""
|
||||
|
||||
def test_single_element_vector_fails(self):
|
||||
"""Non-power-of-2 dimension should still work (or fail gracefully)."""
|
||||
# The WHT requires power-of-2, but encode should handle it
|
||||
with pytest.raises((ValueError, IndexError, ZeroDivisionError)):
|
||||
src = [1.0] # dim=1, can't do WHT properly
|
||||
polar_quant_encode_turbo4(src)
|
||||
|
||||
def test_all_same_values(self):
|
||||
"""Vector with all identical values."""
|
||||
src = [0.5] * 16
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
# All recovered values should be approximately equal
|
||||
mean = sum(recovered) / len(recovered)
|
||||
for val in recovered:
|
||||
assert abs(val - mean) < 0.1
|
||||
|
||||
def test_large_values(self):
|
||||
"""Large input values don't cause NaN/Inf."""
|
||||
src = [100.0, -100.0, 50.0, -50.0, 25.0, -25.0, 10.0, -10.0,
|
||||
5.0, -5.0, 2.0, -2.0, 1.0, -1.0, 0.5, -0.5]
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
assert math.isfinite(norm)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
assert all(math.isfinite(x) for x in recovered)
|
||||
|
||||
def test_alternating_signs(self):
|
||||
"""Alternating positive/negative values."""
|
||||
src = [(-1) ** i * 0.1 for i in range(16)]
|
||||
packed, norm = polar_quant_encode_turbo4(src)
|
||||
recovered = polar_quant_decode_turbo4(packed, norm, 16)
|
||||
assert all(math.isfinite(x) for x in recovered)
|
||||
Reference in New Issue
Block a user