File size: 15,929 Bytes
e34b94f | 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 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 | import os
import re
import json
import argparse
from typing import List, Dict, Any, Optional
import torch
import torch.distributed as dist
from PIL import Image
from tqdm import tqdm
from transformers import AutoModelForCausalLM, AutoProcessor, AutoModelForVision2Seq
try:
from transformers import AutoModelForImageTextToText # new API in recent transformers
except Exception:
AutoModelForImageTextToText = None
import importlib
def extract_boxed_answer(text: str) -> str:
"""Extract final answer from model text.
Priority:
1) <answer>...</answer> tags (backward compatibility)
2) last \\boxed{...} with proper brace matching
"""
try:
if not text:
return ""
# 1) Try <answer> tags (case-insensitive)
low = text.lower()
s = low.find("<answer>")
e = low.find("</answer>")
if s != -1 and e != -1 and e > s:
return text[s + len("<answer>") : e].strip()
# 2) Try to find the last \\boxed{ ... }
boxed_pattern = r"\\boxed\{" # literal backslash + boxed{
matches = list(re.finditer(boxed_pattern, text))
if matches:
last_match = matches[-1]
start_pos = last_match.end()
brace_count = 1
pos = start_pos
while pos < len(text) and brace_count > 0:
if text[pos] == '{':
brace_count += 1
elif text[pos] == '}':
brace_count -= 1
pos += 1
if brace_count == 0:
return text[start_pos : pos - 1].strip()
except Exception:
pass
return ""
def normalize_answer(ans: str) -> str:
"""Simple normalization used during training env: lowercase + remove whitespace."""
return re.sub(r"\s+", "", (ans or "").lower().strip())
def setup_distributed():
"""Initialize distributed environment if not already set up."""
if not dist.is_initialized():
# Check if RANK and WORLD_SIZE are set (torchrun style)
if "RANK" in os.environ and "WORLD_SIZE" in os.environ:
rank = int(os.environ["RANK"])
world_size = int(os.environ["WORLD_SIZE"])
local_rank = int(os.environ.get("LOCAL_RANK", 0))
else:
# Single GPU mode
rank = 0
world_size = 1
local_rank = 0
if world_size > 1:
dist.init_process_group(backend="nccl")
torch.cuda.set_device(local_rank)
return rank, world_size, local_rank
else:
return dist.get_rank(), dist.get_world_size(), int(os.environ.get("LOCAL_RANK", 0))
def shard_data(data: List[Dict[str, Any]], rank: int, world_size: int) -> List[Dict[str, Any]]:
"""Shard data across multiple processes."""
# Simple sharding: each rank gets a contiguous chunk
total = len(data)
per_rank = (total + world_size - 1) // world_size # ceil division
start_idx = rank * per_rank
end_idx = min(start_idx + per_rank, total)
return data[start_idx:end_idx]
def load_dataset(json_path: str) -> List[Dict[str, Any]]:
with open(json_path, "r", encoding="utf-8") as f:
data = json.load(f)
if not isinstance(data, list):
raise ValueError(f"Expected a JSON array at {json_path}")
return data
def open_image(image_path: Optional[str]) -> Optional[Image.Image]:
if image_path is None:
return None
if not os.path.exists(image_path):
return None
try:
return Image.open(image_path).convert("RGB")
except Exception:
return None
def _load_qwen_vl_model(model_id: str, torch_dtype, device_map: str, local_rank: int = 0):
"""Load Qwen2.5-VL model across transformers versions.
Prefer the specific Qwen2.5-VL class, then AutoModelForImageTextToText, then Vision2Seq.
"""
# For distributed training, use the local_rank to set device
if device_map == "auto" and local_rank >= 0:
actual_device_map = f"cuda:{local_rank}"
elif isinstance(device_map, str) and device_map.startswith("cuda:"):
actual_device_map = device_map
else:
actual_device_map = device_map
# Helper: use `dtype` if supported (newer HF), fall back to `torch_dtype` (older HF)
def _from_pretrained_with_dtype(cls):
try:
return cls.from_pretrained(
model_id,
dtype=torch_dtype,
device_map=actual_device_map,
trust_remote_code=True,
)
except TypeError:
return cls.from_pretrained(
model_id,
torch_dtype=torch_dtype,
device_map=actual_device_map,
trust_remote_code=True,
)
# 0) Try the specific Qwen2.5-VL class first if present in current transformers
try:
modeling_module = importlib.import_module("transformers.models.qwen2_5_vl.modeling_qwen2_5_vl")
specific_cls = getattr(modeling_module, "Qwen2_5_VLForConditionalGeneration", None)
if specific_cls is not None:
return _from_pretrained_with_dtype(specific_cls)
except Exception as e:
print(f"[DEBUG] Failed to load with Qwen2_5_VLForConditionalGeneration: {e}")
# 1) Prefer the most recent ImageTextToText API if available
if AutoModelForImageTextToText is not None:
try:
return _from_pretrained_with_dtype(AutoModelForImageTextToText)
except Exception as e:
print(f"[DEBUG] Failed to load with AutoModelForImageTextToText: {e}")
# 2) Try Vision2Seq (legacy but still common)
try:
return _from_pretrained_with_dtype(AutoModelForVision2Seq)
except Exception as e:
print(f"[DEBUG] Failed to load with AutoModelForVision2Seq: {e}")
raise RuntimeError(f"Could not load Qwen2.5-VL model from {model_id}. All loading methods failed.")
@torch.inference_mode()
def generate_answer(
model,
processor,
prompt: str,
image: Optional[Image.Image],
max_new_tokens: int = 512,
temperature: float = 0.0,
top_p: float = 1.0,
do_sample: bool = False,
) -> str:
# Build chat messages: one image + text
content: List[Dict[str, Any]] = []
if image is not None:
content.append({"type": "image", "image": image})
content.append({"type": "text", "text": prompt})
messages = [{"role": "user", "content": content}]
chat_text = processor.apply_chat_template(messages, add_generation_prompt=True)
inputs = processor(text=[chat_text], images=[image] if image is not None else None, return_tensors="pt")
inputs = {k: v.to(model.device) for k, v in inputs.items()}
outputs = model.generate(
**inputs,
max_new_tokens=max_new_tokens,
temperature=temperature,
top_p=top_p,
do_sample=do_sample,
use_cache=True,
)
# Only decode newly generated tokens (exclude prompt)
gen_tokens = outputs[:, inputs["input_ids"].shape[1]:]
text_out = processor.batch_decode(gen_tokens, skip_special_tokens=True)[0]
return text_out.strip()
def main():
parser = argparse.ArgumentParser(description="Evaluate Qwen2.5-VL baseline on MM_Math and compute accuracy")
parser.add_argument("--model", type=str, default="Qwen/Qwen2.5-VL-7B-Instruct", help="HF model id/path")
parser.add_argument("--data", type=str, default="/root/CVPR/MemGen/data/mm_math/train.json", help="Path to preprocessed split JSON")
parser.add_argument("--output_jsonl", type=str, default="/root/CVPR/MemGen/test_output/mm_math/logs/qwen25vl_eval.jsonl", help="Where to save per-sample logs")
parser.add_argument("--max_samples", type=int, default=-1, help="Limit number of evaluated samples; -1 for all")
parser.add_argument("--device_map", type=str, default="auto", help="transformers device_map")
parser.add_argument("--dtype", type=str, default="bfloat16", choices=["bfloat16", "float16", "float32"], help="Model dtype")
parser.add_argument("--max_new_tokens", type=int, default=512)
parser.add_argument("--temperature", type=float, default=0.0)
parser.add_argument("--top_p", type=float, default=1.0)
parser.add_argument("--do_sample", action="store_true")
parser.add_argument("--skip_missing_image", action="store_true", help="Skip samples if image not found; otherwise evaluate with text-only")
parser.add_argument("--append", action="store_true", help="Append to output JSONL and stream-save each sample")
parser.add_argument("--no_fsync", action="store_true", help="Do not call os.fsync after each write (faster, less durable)")
args = parser.parse_args()
# Setup distributed environment
rank, world_size, local_rank = setup_distributed()
# Create output directory
if rank == 0:
os.makedirs(os.path.dirname(args.output_jsonl), exist_ok=True)
# For multi-GPU: each rank writes to a temporary file first
if world_size > 1:
# Create temp directory for rank outputs
temp_dir = os.path.join(os.path.dirname(args.output_jsonl), ".tmp_ranks")
if rank == 0:
os.makedirs(temp_dir, exist_ok=True)
# Synchronize to ensure temp dir is created
dist.barrier()
base = os.path.basename(args.output_jsonl)
temp_output_jsonl = os.path.join(temp_dir, f"rank{rank}_{base}")
else:
temp_output_jsonl = args.output_jsonl
# Load data
data = load_dataset(args.data)
if args.max_samples is not None and args.max_samples > 0:
data = data[: args.max_samples]
# Shard data across GPUs
if world_size > 1:
data = shard_data(data, rank, world_size)
if rank == 0:
print(f"[Distributed] Total GPUs: {world_size}, Rank {rank} processing {len(data)} samples")
# Synchronize all processes before loading model
if world_size > 1:
dist.barrier()
# Load model & processor
dtype_map = {
"bfloat16": torch.bfloat16,
"float16": torch.float16,
"float32": torch.float32,
}
torch_dtype = dtype_map.get(args.dtype, torch.bfloat16)
processor = AutoProcessor.from_pretrained(args.model, trust_remote_code=True)
model = _load_qwen_vl_model(args.model, torch_dtype=torch_dtype, device_map=args.device_map, local_rank=local_rank)
model.eval()
if rank == 0:
print(f"Model loaded on {world_size} GPU(s)")
# Eval loop
num_correct = 0
num_total = 0
file_mode = "a" if args.append else "w"
# Use temporary output file (will be merged later for multi-GPU)
with open(temp_output_jsonl, file_mode, encoding="utf-8") as fout:
for idx, ex in enumerate(tqdm(data, desc="Evaluating")):
prompt: str = ex.get("prompt", "") or ""
gt_boxed: str = ex.get("solution", "") or ""
image_path: Optional[str] = ex.get("image_path", None)
image = open_image(image_path)
if image is None and image_path and args.skip_missing_image:
# Skip entirely
continue
try:
pred_text = generate_answer(
model=model,
processor=processor,
prompt=prompt,
image=image,
max_new_tokens=args.max_new_tokens,
temperature=args.temperature,
top_p=args.top_p,
do_sample=args.do_sample,
)
except Exception as e:
pred_text = f"[GENERATION_FAILED] {e}"
pred_ans = extract_boxed_answer(pred_text)
gt_ans = extract_boxed_answer(gt_boxed) if gt_boxed else ""
correct = False
if pred_ans and gt_ans:
correct = normalize_answer(pred_ans) == normalize_answer(gt_ans)
num_total += 1
if correct:
num_correct += 1
# Put correctness and answers first; move prompt/image path later
log_item = {
"correct": bool(correct),
"prediction_extracted": pred_ans,
"ground_truth_extracted": gt_ans,
"prediction_text": pred_text,
"ground_truth": gt_boxed,
"id": idx,
"prompt": prompt,
"image_path": image_path,
}
fout.write(json.dumps(log_item, ensure_ascii=False) + "\n")
# Stream-save each sample
fout.flush()
if not args.no_fsync:
try:
os.fsync(fout.fileno())
except Exception:
pass
# Gather results across all ranks
if world_size > 1:
# Convert to tensors for all_reduce
local_correct = torch.tensor([num_correct], dtype=torch.long, device=f"cuda:{local_rank}")
local_total = torch.tensor([num_total], dtype=torch.long, device=f"cuda:{local_rank}")
# Sum across all ranks
dist.all_reduce(local_correct, op=dist.ReduceOp.SUM)
dist.all_reduce(local_total, op=dist.ReduceOp.SUM)
global_correct = local_correct.item()
global_total = local_total.item()
else:
global_correct = num_correct
global_total = num_total
# Synchronize before merging
if world_size > 1:
dist.barrier()
# Only rank 0 merges results and prints final statistics
if rank == 0:
# Merge all rank output files into the final output
if world_size > 1:
print(f"\nMerging results from {world_size} ranks into {args.output_jsonl}...")
temp_dir = os.path.join(os.path.dirname(args.output_jsonl), ".tmp_ranks")
base = os.path.basename(args.output_jsonl)
merge_rank_outputs(args.output_jsonl, temp_dir, base, world_size)
# Print final results
acc = (global_correct / global_total) if global_total > 0 else 0.0
print("\n" + "="*50)
print("Final Results:")
print("="*50)
print(json.dumps({
"accuracy": acc,
"num_correct": global_correct,
"num_total": global_total,
"data_path": args.data,
"model": args.model,
"output_jsonl": args.output_jsonl,
"world_size": world_size,
}, ensure_ascii=False, indent=2))
print("="*50)
# Clean up distributed
if world_size > 1:
dist.barrier()
dist.destroy_process_group()
def merge_rank_outputs(output_path: str, temp_dir: str, base_filename: str, world_size: int):
"""Merge output files from all ranks into a single file and cleanup temp files."""
import shutil
merged_results = []
# Collect results from all rank files
for rank in range(world_size):
rank_file = os.path.join(temp_dir, f"rank{rank}_{base_filename}")
if os.path.exists(rank_file):
with open(rank_file, "r", encoding="utf-8") as f:
for line in f:
if line.strip():
merged_results.append(json.loads(line))
else:
print(f"Warning: {rank_file} not found")
# Write merged results to final output file
with open(output_path, "w", encoding="utf-8") as f:
for item in merged_results:
f.write(json.dumps(item, ensure_ascii=False) + "\n")
print(f"✓ Merged {len(merged_results)} results into {output_path}")
# Clean up temporary directory and files
try:
if os.path.exists(temp_dir):
shutil.rmtree(temp_dir)
print(f"✓ Cleaned up temporary files in {temp_dir}")
except Exception as e:
print(f"Warning: Failed to cleanup temp directory {temp_dir}: {e}")
if __name__ == "__main__":
main()
|