File size: 16,482 Bytes
a7ac19e d2a4c38 a7ac19e d2a4c38 a7ac19e d2a4c38 a7ac19e d2a4c38 a7ac19e d2a4c38 a7ac19e |
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 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 |
import os
import re
import json
import base64
import argparse
import mimetypes
import copy
from tqdm import tqdm
from openai import OpenAI
import traceback
# 引入项目模块
from src.solver_bridge import TrussSolver
from src.metrics import compute_score
from src.data_loader import BenchmarkDataLoader
from src.prompts import PROMPT_REGISTRY
# 尝试引入 json_repair,如果没有安装则退化到 json
try:
import json_repair
JSON_LIB = json_repair
except ImportError:
import json
JSON_LIB = json
print(
"[Warning] 'json_repair' library not found. Installing it (pip install json_repair) is highly recommended for robust parsing.")
# --- 辅助函数 ---
def encode_image(image_path):
"""将图片文件读取并转换为 Base64 字符串"""
if not os.path.exists(image_path):
return None
mime_type, _ = mimetypes.guess_type(image_path)
if not mime_type:
mime_type = "image/png"
with open(image_path, "rb") as image_file:
encoded_string = base64.b64encode(image_file.read()).decode('utf-8')
return f"data:{mime_type};base64,{encoded_string}"
def extract_json(response_text):
"""从模型回复中提取 <json> 或 markdown 内容"""
# 1. 尝试找 <json>...</json>
match = re.search(r'<json>(.*?)</json>', response_text, re.DOTALL)
if match: return match.group(1).strip()
# 2. 尝试找 <|begin_of_box|>...<|end_of_box|> (Special token usage)
match = re.search(r'<\|begin_of_box\|>(.*?)<\|end_of_box\|>', response_text, re.DOTALL)
if match: return match.group(1).strip()
# 3. 尝试找 Markdown ```json ... ```
match = re.search(r'```json(.*?)```', response_text, re.DOTALL)
if match: return match.group(1).strip()
# 4. 尝试找 ``` ... ```
match = re.search(r'```(.*?)```', response_text, re.DOTALL)
if match: return match.group(1).strip()
# 5. 找最外层大括号
match = re.search(r'\{.*?\}', response_text, re.DOTALL)
if match: return match.group(0).strip()
return None
def run_chat_completion(client, model_name, messages, temperature=0.2):
"""封装 API 调用 (支持流式输出)"""
try:
print(f"\n[Model Output Start]:")
stream = client.chat.completions.create(
model=model_name,
messages=messages,
temperature=temperature,
max_tokens=8192,
stream=True
)
full_content = []
for chunk in stream:
if chunk.choices:
delta = chunk.choices[0].delta.content
if delta:
print(delta, end="", flush=True)
full_content.append(delta)
print(f"\n[Model Output End]\n{'-'*40}")
return "".join(full_content)
except Exception as e:
print(f"\n[API Error] {e}")
return None
# --- 诊断相关函数 ---
def apply_standard_load(model):
"""
移除所有原有载荷,给所有杆件施加世界坐标向下的均布载荷
"""
model["loads"] = []
links = model.get("links", [])
for link in links:
model["loads"].append({
"id": f"TEST_LD_{link['id']}",
"kind": "distributedLoad",
"at": {"type": "link", "id": link["id"]},
"wStart": 10,
"wEnd": 10,
"angleDeg": 270, # 向下
"angleMode": "global"
})
return model
def apply_uniform_material_and_rigid_joints(model):
"""
统一材质截面,并将所有连接设为刚接
"""
for link in model.get("links", []):
link["E"] = 200e9
link["A"] = 0.01
link["Iz"] = 0.0001
link["density"] = 7850
# 强制刚接
link["endA"] = "rigid"
link["endB"] = "rigid"
return model
def solve_and_compare_reactions(solver, model_ai, model_gt):
"""
求解两个模型并对比支座反力
返回: True (match) / False (mismatch)
"""
sol_ai, err_ai = solver.solve(model_ai)
sol_gt, err_gt = solver.solve(model_gt)
if err_ai or err_gt or not sol_ai or not sol_gt:
return False # 求解失败视为不匹配
# 复用 compute_score 的反力对比逻辑 (忽略弯矩)
# 构造一个伪造的 gt_solution 格式,只包含 reactions
score, details = compute_score(sol_ai, {"reactions": sol_gt["reactions"], "max_moment": 0}, tolerance=0.05)
# 只要反力匹配即可
return details.get("reactions_match", False)
def diagnose_failure(solver, ai_json, gt_json):
"""
执行三步诊断逻辑
返回: (partial_score, feedback_message)
"""
# 0. 准备工作:深拷贝以防修改原数据
ai_base = copy.deepcopy(ai_json)
gt_base = copy.deepcopy(gt_json)
# --- Step 1: 几何/拓扑验证 ---
# 操作:统一材质、刚接、标准载荷
# ai_s1 = apply_standard_load(apply_uniform_material_and_rigid_joints(copy.deepcopy(ai_base)))
# gt_s1 = apply_standard_load(apply_uniform_material_and_rigid_joints(copy.deepcopy(gt_base)))
# Refined Step 1:
def modify_supports_to_fixed(model):
for sup in model.get("supports", []):
sup["kind"] = "fixed"
sup["angleDeg"] = 0 # Reset angle
return model
ai_s1 = apply_standard_load(modify_supports_to_fixed(apply_uniform_material_and_rigid_joints(copy.deepcopy(ai_base))))
gt_s1 = apply_standard_load(modify_supports_to_fixed(apply_uniform_material_and_rigid_joints(copy.deepcopy(gt_base))))
if not solve_and_compare_reactions(solver, ai_s1, gt_s1):
return 0.0, "The geometric structure is incorrect. Please check node coordinates and member connectivity."
# --- Step 2: 约束类型验证 ---
# 操作:恢复原始约束类型,但保持刚接,标准载荷。
ai_s2 = apply_standard_load(apply_uniform_material_and_rigid_joints(copy.deepcopy(ai_base)))
gt_s2 = apply_standard_load(apply_uniform_material_and_rigid_joints(copy.deepcopy(gt_base)))
if not solve_and_compare_reactions(solver, ai_s2, gt_s2):
return 0.25, "The geometry is correct, but the boundary conditions (supports) are incorrect. Check support types and locations."
# --- Step 3: 连接方式验证 ---
# 操作:恢复原始连接方式 (Hinge/Rigid),恢复原始约束,标准载荷。
def apply_uniform_material_only(model):
for link in model.get("links", []):
link["E"] = 200e9
link["A"] = 0.01
link["Iz"] = 0.0001
link["density"] = 7850
return model
ai_s3 = apply_standard_load(apply_uniform_material_only(copy.deepcopy(ai_base)))
gt_s3 = apply_standard_load(apply_uniform_material_only(copy.deepcopy(gt_base)))
if solve_and_compare_reactions(solver, ai_s3, gt_s3):
# 结果一样 -> 说明连接方式没问题,之前总算不对是因为 原题载荷(Loads) 错了
return 0.75, "The structure, supports, and connections are correct. Only the applied loads are incorrect."
else:
# 结果不一样 -> 说明连接方式(Joints)有问题
return 0.50, "Geometry and supports are correct, but the member connection types (hinge/rigid) are incorrect."
def main():
parser = argparse.ArgumentParser(description="Structural AI Benchmark Evaluator")
parser.add_argument("--model", type=str, default="debug-mode", help="Model name")
parser.add_argument("--api-base", type=str, default="http://localhost:8000/v1", help="API URL")
parser.add_argument("--api-key", type=str, default="EMPTY", help="API Key")
parser.add_argument("--limit", type=int, default=0, help="Limit tasks")
parser.add_argument("--max-retries", type=int, default=2, help="Max retry attempts")
parser.add_argument("--debug", action="store_true", help="Run sanity check using Ground Truth JSON (No AI)")
parser.add_argument("--prompt-type", type=str, default="standard", choices=PROMPT_REGISTRY.keys())
parser.add_argument("--filter", type=str, default=None, help="Filter tasks")
args = parser.parse_args()
# 1. System Prompt
current_system_prompt = PROMPT_REGISTRY.get(args.prompt_type)
print(f"Loaded Prompt Template: [{args.prompt_type}]")
# 2. Components
loader = BenchmarkDataLoader()
solver = TrussSolver("bin/framecalc.wasm")
client = OpenAI(api_key=args.api_key, base_url=args.api_base) if not args.debug else None
# 3. Tasks
tasks = loader.load_tasks_for_eval()
if not tasks: return
if args.filter:
tasks = [t for t in tasks if args.filter in t['id']]
if args.limit > 0:
tasks = tasks[:args.limit]
print(f"Starting evaluation on {len(tasks)} tasks.")
results = []
for task in tqdm(tasks, desc="Evaluating"):
task_id = task['id']
gt_solution = task['gt_solution']
if isinstance(gt_solution, list) and len(gt_solution) > 0: gt_solution = gt_solution[0]
# Load Raw GT Model for diagnosis
gt_raw_json = loader.load_raw_model_by_id(task_id)
best_score = 0
final_details = {}
fail_reason = "Unknown"
attempts_used = 0
# --- Debug Mode ---
if args.debug:
ai_json = gt_raw_json
if not ai_json:
fail_reason = "GT JSON Missing"
else:
ai_solution, solver_error = solver.solve(ai_json)
if solver_error:
fail_reason = f"Physics Solver Crashed: {solver_error}"
else:
score, details = compute_score(ai_solution, gt_solution)
best_score = score
final_details = details
fail_reason = "Success" if score == 1.0 else "Wrong Answer"
# --- AI Mode ---
else:
base64_image = encode_image(task['image_path'])
# 基础对话历史 (System + User/Image)
base_messages = [
{"role": "system", "content": current_system_prompt},
{"role": "user", "content": [
{"type": "text", "text": "Analyze the structure in this image and output the JSON definition."},
{"type": "image_url", "image_url": {"url": base64_image}}
]}
]
# 用于重试的上下文 (Last Assistant Response + Error)
retry_context = []
for attempt in range(args.max_retries + 1):
attempts_used = attempt + 1
current_temp = 0.1 if attempt == 0 else 0.4
# 构造本次请求的消息列表
messages = base_messages + retry_context
print(f"\n[Attempt {attempts_used}] Requesting API...")
response_text = run_chat_completion(client, args.model, messages, temperature=current_temp)
if not response_text:
fail_reason = "API Failure"
break
json_str = extract_json(response_text)
error_feedback = ""
if not json_str:
error_feedback = "I cannot find valid JSON. Please output standard JSON inside <json> tags."
fail_reason = "Parse Error"
else:
try:
ai_json = JSON_LIB.loads(json_str)
ai_solution, solver_error = solver.solve(ai_json)
if solver_error:
error_feedback = f"Solver Error: {solver_error}. Check connectivity."
fail_reason = "Solver Crashed"
elif not ai_solution:
error_feedback = "Unstable structure (empty result)."
fail_reason = "Unstable"
else:
score, details = compute_score(ai_solution, gt_solution)
if score == 1.0:
best_score = 1.0
final_details = details
fail_reason = "Success"
break # Perfect!
else:
# ❌ 计算结果不对,启动诊断
fail_reason = "Wrong Answer"
final_details = details
# 只有当存在 GT Raw Model 时才能诊断
if gt_raw_json:
partial_score, diag_feedback = diagnose_failure(solver, ai_json, gt_raw_json)
error_feedback = f"Result incorrect. Diagnostic: {diag_feedback}"
# 如果是最后一次尝试,记录诊断得分为最终得分
if attempt == args.max_retries:
best_score = partial_score
fail_reason = f"Partial: {diag_feedback}"
else:
error_feedback = "Result incorrect (Reaction forces mismatch)."
except Exception as e:
error_feedback = f"JSON Syntax Error: {e}"
fail_reason = "Syntax Error"
# Retry Logic: 只保留最近一次的错误
if attempt < args.max_retries and error_feedback:
print(f" -> Feedback: {error_feedback}")
# 更新 retry_context,覆盖掉旧的错误历史
retry_context = [
{"role": "assistant", "content": response_text},
{"role": "user", "content": f"Error: {error_feedback} Fix the JSON."}
]
# Final Score Calculation: Difficulty * Ratio
final_score = best_score * task.get("difficulty", 1)
results.append({
"id": task_id,
"score": final_score, # Now this is weighted
"ratio": best_score, # Store the raw ratio (0.0 - 1.0)
"difficulty": task.get("difficulty", 1),
"reason": fail_reason,
"attempts_used": attempts_used,
"details": final_details
})
# Summary
total_score = sum(r['score'] for r in results)
total_possible = sum(r['difficulty'] for r in results) if results else 0
avg_ratio = (sum(r['ratio'] for r in results) / len(results)) * 100 if results else 0
weighted_acc = (total_score / total_possible) * 100 if total_possible else 0
print("\n" + "=" * 60)
print(f"📊 Evaluation Report: {args.model}")
print(f"Filter: {args.filter if args.filter else 'None'} | Max Retries: {args.max_retries}")
print("-" * 60)
print(f"{'Category':<15} | {'Tasks':<8} | {'Score':<10} | {'Max Score':<10} | {'Accuracy':<10}")
print("-" * 60)
# Breakdown by Category (Beam, Frame, Truss)
categories = {'beam': [], 'frame': [], 'truss': []}
for r in results:
# Determine category from ID prefix (e.g., beam_001 -> beam)
cat_key = r['id'].split('_')[0].lower()
if cat_key in categories:
categories[cat_key].append(r)
else:
# Handle unknown prefixes if any
if 'other' not in categories: categories['other'] = []
categories['other'].append(r)
# Print rows
for cat, items in categories.items():
if not items: continue # Skip empty categories (e.g. if filtered)
c_score = sum(x['score'] for x in items)
c_max = sum(x['difficulty'] for x in items)
c_acc = (c_score / c_max) * 100 if c_max > 0 else 0
print(f"{cat.capitalize():<15} | {len(items):<8} | {c_score:<10.2f} | {c_max:<10.0f} | {c_acc:<9.2f}%")
print("-" * 60)
print(f"{'OVERALL':<15} | {len(results):<8} | {total_score:<10.2f} | {total_possible:<10.0f} | {weighted_acc:<9.2f}%")
print("=" * 60)
output_filename = f"eval_result_{'DEBUG' if args.debug else args.model.replace('/', '_')}.json"
with open(output_filename, "w") as f:
json.dump(results, f, indent=2)
print(f"Results saved to {output_filename}")
if __name__ == "__main__":
main() |