Spaces:
Configuration error
Configuration error
File size: 13,780 Bytes
e67e8d3 | 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 | """
Game Analyzer: Computes detailed statistics from CSV and uses LLM for strategic insights.
Flow:
1. Read CSV game log
2. Compute statistics (piece usage, repetitions, battles, etc.)
3. Send structured summary to LLM
4. Get Stratego-specific feedback
5. Update prompt
"""
import os
import csv
from typing import List, Dict, Optional
from dataclasses import dataclass, field
import ollama
from stratego.prompt_manager import PromptManager
@dataclass
class PlayerStats:
"""Statistics for one player in a game."""
player_id: int
model_name: str = ""
total_moves: int = 0
valid_moves: int = 0
invalid_moves: int = 0
# Piece usage
moves_by_piece: Dict[str, int] = field(default_factory=dict) # piece_type -> count | number of moves that piece made
# Repetition analysis
move_counts: Dict[str, int] = field(default_factory=dict) # "A5 B5" -> count | how many times this exact move was made
# Direction stats
directions: Dict[str, int] = field(default_factory=dict) # N/S/E/W -> count | counts of move directions
# Invalid moves
invalid_moves_by_piece: Dict[str, int] = field(default_factory=dict)
@dataclass
class GameStats:
"""Complete statistics for a game."""
game_id: str
total_turns: int = 0
winner: Optional[int] = None
loss_reason: str = ""
game_duration_seconds: float = 0
player_stats: Dict[int, PlayerStats] = field(default_factory=dict)
def __post_init__(self):
if not self.player_stats:
self.player_stats = {
0: PlayerStats(player_id=0),
1: PlayerStats(player_id=1)
}
def parse_csv_to_stats(csv_path: str) -> GameStats:
"""
Parse game CSV and compute detailed statistics.
Args:
csv_path: Path to the game CSV file
Returns:
GameStats with computed statistics
"""
if not os.path.exists(csv_path):
return GameStats(game_id="unknown")
game_id = os.path.basename(csv_path).replace(".csv", "")
stats = GameStats(game_id=game_id)
with open(csv_path, 'r', encoding='utf-8') as f:
reader = csv.DictReader(f)
for row in reader:
try:
player = int(row.get('player', 0))
turn = int(row.get('turn', 0))
move = row.get('move', '').strip()
piece_type = row.get('piece_type', 'Unknown')
from_pos = row.get('from_pos', '')
outcome = (row.get('outcome') or "").strip().lower()
if player not in stats.player_stats:
stats.player_stats[player] = PlayerStats(player_id=player)
ps = stats.player_stats[player]
ps.total_moves += 1
ps.model_name = row.get('model_name', '')
if outcome == "invalid":
ps.invalid_moves += 1
if piece_type:
ps.invalid_moves_by_piece[piece_type] = (
ps.invalid_moves_by_piece.get(piece_type, 0) + 1
)
stats.total_turns = max(stats.total_turns, turn)
continue
ps.valid_moves += 1
# Track piece usage
if piece_type:
ps.moves_by_piece[piece_type] = ps.moves_by_piece.get(piece_type, 0) + 1
# Track move repetitions
if move:
ps.move_counts[move] = ps.move_counts.get(move, 0) + 1
# Track direction (computed from positions)
direction = _compute_direction(from_pos, row.get('to_pos', ''))
if direction:
ps.directions[direction] = ps.directions.get(direction, 0) + 1
stats.total_turns = max(stats.total_turns, turn)
except Exception as e:
continue
return stats
def _compute_direction(from_pos: str, to_pos: str) -> str:
"""Compute move direction from positions."""
if not from_pos or not to_pos:
return ""
try:
src_row = ord(from_pos[0]) - ord('A')
dst_row = ord(to_pos[0]) - ord('A')
src_col = int(from_pos[1:])
dst_col = int(to_pos[1:])
if dst_row < src_row:
return "N"
elif dst_row > src_row:
return "S"
elif dst_col > src_col:
return "E"
elif dst_col < src_col:
return "W"
except:
pass
return ""
def format_stats_for_llm(stats: GameStats, player_to_analyze: int) -> str:
"""
Format statistics into a structured summary for LLM analysis.
"""
ps = stats.player_stats.get(player_to_analyze)
if not ps:
return "No data available for this player."
lines = []
lines.append(f"=== STRATEGO GAME ANALYSIS FOR PLAYER {player_to_analyze} ===")
lines.append(f"Model: {ps.model_name}")
lines.append(f"Total turns: {stats.total_turns}")
lines.append(f"Player moves: {ps.total_moves}")
lines.append(f"Invalid moves: {ps.invalid_moves}")
# Winner info
if stats.winner is not None:
if stats.winner == player_to_analyze:
lines.append(f"Result: WON")
else:
lines.append(f"Result: LOST")
if stats.loss_reason:
lines.append(f"Loss reason: {stats.loss_reason}")
# Piece usage breakdown
lines.append("\n--- PIECE USAGE (valid moves only) ---")
total_piece_moves = sum(ps.moves_by_piece.values()) or 1
for piece, count in sorted(ps.moves_by_piece.items(), key=lambda x: -x[1])[:8]:
pct = (count / total_piece_moves) * 100
lines.append(f" {piece}: {count} moves ({pct:.1f}%)")
# Most repeated moves
lines.append("\n--- REPEATED MOVES (valid moves only) ---")
top_repeated = sorted(ps.move_counts.items(), key=lambda x: -x[1])[:5]
for move, count in top_repeated:
if count >= 3:
lines.append(f" '{move}' repeated {count} times")
# Direction analysis
if ps.directions:
lines.append("\n--- MOVE DIRECTIONS (valid moves only) ---")
total_dir = sum(ps.directions.values()) or 1
for d in ['N', 'S', 'E', 'W']:
count = ps.directions.get(d, 0)
pct = (count / total_dir) * 100
direction_name = {'N': 'Forward/North', 'S': 'Backward/South',
'E': 'Right/East', 'W': 'Left/West'}.get(d, d)
lines.append(f" {direction_name}: {pct:.1f}%")
lines.append("\n--- INVALID MOVES (by piece) ---")
if ps.invalid_moves == 0:
lines.append(" None.")
else:
for piece, count in ps.invalid_moves_by_piece.items():
lines.append(f" {piece}: {count} invalid attempts")
return "\n".join(lines)
def analyze_with_llm(stats: GameStats, model_name: str = "mistral:7b", existing_improvements: Optional[List[str]] = None) -> List[str]:
"""
Send structured stats to LLM for Stratego-specific analysis.
Returns list of feedback strings.
"""
if existing_improvements is None:
existing_improvements = []
# Analyze player 0 (or the loser if there was one)
player_to_analyze = 0
if stats.winner == 0:
player_to_analyze = 1 # Analyze the loser for improvement
stats_summary = format_stats_for_llm(stats, player_to_analyze)
existing_block = ""
if existing_improvements:
existing_block = "EXISTING STRATEGIC IMPROVEMENTS (from previous games):\n"
for fb in existing_improvements:
existing_block += f"- {fb}\n"
else:
existing_block = "There are currently no saved strategic improvements from previous games.\n"
prompt = f"""You are an expert Stratego strategy coach. Analyze this game data and provide specific, actionable feedback.
STRATEGO RULES REMINDER:
- Pieces ranked 1 (Spy) to 10 (Marshal). Higher rank wins battles.
- Scout (rank 2) can move multiple squares and should be used to probe enemy.
- Miner (rank 3) can defuse Bombs.
- Spy (rank 1) can defeat Marshal if attacking first.
- Flag is the objective - capture enemy's Flag to win.
- Flag and Bombs cannot move.
- You cannot move your pieces diagonally.
- You can remove opponent's pieces by attacking them with higher-ranked pieces, but you cannot choose opponent's pieces to move directly.
- Bombs destroy any piece except Miner.
- In this log, some moves may be marked as 'invalid'. These are ILLEGAL moves that violate Stratego rules
(for example, attempting to move a Flag or Bomb, moving in an impossible way, moving upon its own pieces, trying to choose and control opponent's pieces to move directly, trying to move pieces diagonally). Treat these as serious mistakes
and explain clearly why they are illegal and how to avoid them.
{existing_block}
{stats_summary}
Your job:
- READ the existing improvements above carefully.
- DO NOT repeat semantically identical advice.
- If your advice overlaps with existing points, rephrase it to add NEW insights or more specific suggestions.
- If this game shows the same mistake as an existing improvement, you may reference it briefly, but focus on adding new details or strategies to address it in existing advice.
- If the game ended with illegal or invalid moves, look over the board and find out and state what was the problem and prioritize feedback on avoiding those mistakes.
Based on this data, provide EXACTLY 3 specific feedback points. Each must:
1. Reference specific data from the stats (e.g., "Scout used 67% of the time")
2. Explain WHY it's a problem in Stratego strategy
3. Give a concrete improvement suggestion
Format each point on a new line starting with "•"
Be specific and use Stratego terminology correctly."""
try:
response = ollama.chat(
model=model_name,
messages=[{"role": "user", "content": prompt}],
options={"temperature": 0.3, "num_predict": 500}
)
content = response['message']['content']
# Extract bullet points
feedback = []
for line in content.split('\n'):
line = line.strip()
if line.startswith('•') or line.startswith('-') or line.startswith('*'):
clean = line.lstrip('•-* ').strip()
if clean and len(clean) > 20:
feedback.append(clean)
return feedback[:5]
except Exception as e:
print(f"LLM analysis failed: {e}")
return []
def analyze_and_update_prompt(
csv_path: str,
prompts_dir: str = "stratego/prompts",
logs_dir: str = "logs",
model_name: str = "mistral:7b",
models_used: List[str] = None,
game_duration_seconds: float = None,
winner: Optional[int] = None,
total_turns: int = 0
):
"""
Analyze game with computed stats + LLM and update prompt.
"""
print("\n--- LLM Game Analysis ---")
print(f"Analyzing: {csv_path}")
# Step 1: Parse CSV and compute statistics
stats = parse_csv_to_stats(csv_path)
stats.winner = winner
stats.game_duration_seconds = game_duration_seconds or 0
if winner is not None and stats.total_turns > 0:
stats.loss_reason = "Flag captured or invalid move"
# Step 2: Print computed stats
print(f"\nGame Statistics:")
print(f" Total turns: {stats.total_turns}")
print(f" Winner: Player {winner}" if winner is not None else " Winner: Draw/Unknown")
for pid, ps in stats.player_stats.items():
print(f"\n Player {pid} ({ps.model_name}):")
print(f" Moves: {ps.total_moves}")
if ps.moves_by_piece:
top_piece = max(ps.moves_by_piece.items(), key=lambda x: x[1])
print(f" Most used piece: {top_piece[0]} ({top_piece[1]} times)")
# # Step 3: Get LLM feedback
# feedback = analyze_with_llm(stats, model_name)
# if not feedback:
# print("\nNo feedback generated.")
# return
# print(f"\nStrategic Feedback ({len(feedback)} points):")
# for fb in feedback:
# print(f" • {fb}")
# Step 4: Update prompt
manager = PromptManager(prompts_dir, logs_dir)
current_prompt_text = manager.get_current_prompt()
base_prompt_text = manager.get_base_prompt()
existing_improvements = manager.extract_improvements(current_prompt_text)
feedback = analyze_with_llm(
stats,
model_name,
existing_improvements=existing_improvements
)
merged_improvements = manager.merge_improvements(
existing_improvements,
[f"• {fb}" for fb in feedback],
limit=20
)
new_prompt = manager.build_prompt(base_prompt_text, merged_improvements)
manager.update_prompt(
new_prompt,
reason=f"LLM analysis after {'win' if winner == 0 else 'loss'}: {len(feedback)} insights",
models=models_used or [],
mistakes=feedback,
game_duration_seconds=game_duration_seconds,
total_turns=total_turns,
winner=winner
)
print("\nPrompt updated with strategic feedback.")
|