File size: 9,351 Bytes
3404d44
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
#!/usr/bin/env python3
"""
Answer/Prediction Bias ๋ถ„์„ ์Šคํฌ๋ฆฝํŠธ

1. GT Answer Distribution: ์ •๋‹ต์ด A, B, C, D ์ค‘ ์–ด๋””์— ํŽธ์ค‘๋˜์–ด ์žˆ๋Š”์ง€
2. Model Prediction Distribution: ๋ชจ๋ธ์ด ํŠน์ • ์„ ํƒ์ง€๋ฅผ ๋” ๋งŽ์ด ์„ ํƒํ•˜๋Š”์ง€

Usage:
    python experiments/analyze_answer_bias.py <model_result.xlsx> [--subset far_close]
    python experiments/analyze_answer_bias.py --compare <file1.xlsx> <file2.xlsx> ...
"""

import argparse
import sys
import pandas as pd
import numpy as np
from pathlib import Path
from typing import Dict, List
from collections import Counter


class TeeWriter:
    """stdout์„ ํ„ฐ๋ฏธ๋„๊ณผ ํŒŒ์ผ์— ๋™์‹œ์— ์ถœ๋ ฅ"""
    def __init__(self, filepath):
        self.terminal = sys.stdout
        self.file = open(filepath, 'w', encoding='utf-8')

    def write(self, message):
        self.terminal.write(message)
        self.file.write(message)

    def flush(self):
        self.terminal.flush()
        self.file.flush()

    def close(self):
        self.file.close()
        return self.terminal


def extract_answer_letter(val) -> str:
    """์˜ˆ์ธก๊ฐ’์—์„œ A/B/C/D ์ถ”์ถœ (์˜ˆ: 'D. basket' -> 'D')"""
    if pd.isna(val):
        return 'INVALID'
    val = str(val).strip()
    if len(val) == 0:
        return 'INVALID'
    first_char = val[0].upper()
    if first_char in ['A', 'B', 'C', 'D']:
        return first_char
    return 'INVALID'


def analyze_bias(df: pd.DataFrame, subset_name: str = "ALL") -> Dict:
    """
    Answer/Prediction bias ๋ถ„์„
    """
    # GT Answer ๋ถ„ํฌ (์ด๋ฏธ A/B/C/D ํ˜•ํƒœ)
    gt_dist = Counter(df['answer'])
    gt_total = sum(gt_dist.values())

    # Prediction ๋ถ„ํฌ - ์ฒซ ๊ธ€์ž ์ถ”์ถœ
    pred_letters = df['prediction'].apply(extract_answer_letter)
    pred_dist = Counter(pred_letters)
    pred_total = sum(v for k, v in pred_dist.items() if k != 'INVALID')

    # ์ •๋‹ต๋ฅ  by GT position
    acc_by_pos = {}
    for ans in ['A', 'B', 'C', 'D']:
        subset = df[df['answer'] == ans]
        if len(subset) > 0:
            acc_by_pos[ans] = subset['hit'].mean() * 100
        else:
            acc_by_pos[ans] = 0

    # Prediction์ด GT์™€ ์ผ์น˜ํ•˜๋Š” ๋น„์œจ (hit rate by prediction position)
    # prediction์—์„œ ์ฒซ ๊ธ€์ž ์ถ”์ถœํ•ด์„œ ๋งค์นญ
    df_with_pred_letter = df.copy()
    df_with_pred_letter['pred_letter'] = pred_letters.values
    hit_by_pred = {}
    for pred in ['A', 'B', 'C', 'D']:
        subset = df_with_pred_letter[df_with_pred_letter['pred_letter'] == pred]
        if len(subset) > 0:
            hit_by_pred[pred] = subset['hit'].mean() * 100
        else:
            hit_by_pred[pred] = 0

    return {
        'subset': subset_name,
        'total': len(df),
        'gt_dist': {k: gt_dist.get(k, 0) for k in ['A', 'B', 'C', 'D']},
        'gt_pct': {k: gt_dist.get(k, 0) / gt_total * 100 if gt_total > 0 else 0 for k in ['A', 'B', 'C', 'D']},
        'pred_dist': {k: pred_dist.get(k, 0) for k in ['A', 'B', 'C', 'D']},
        'pred_pct': {k: pred_dist.get(k, 0) / pred_total * 100 if pred_total > 0 else 0 for k in ['A', 'B', 'C', 'D']},
        'acc_by_gt_pos': acc_by_pos,
        'hit_by_pred_pos': hit_by_pred,
        'overall_acc': df['hit'].mean() * 100
    }


def print_bias_report(xlsx_path: str, results: List[Dict]):
    """Bias ๋ถ„์„ ๋ฆฌํฌํŠธ ์ถœ๋ ฅ"""
    model_name = Path(xlsx_path).stem.replace('_EmbSpatialBench_openai_result', '')
    # ์ด๋ฆ„ ์ถ•์•ฝ
    if len(model_name) > 50:
        model_name = model_name[:47] + "..."

    print(f"\n{'='*80}")
    print(f"Model: {model_name}")
    print(f"{'='*80}")

    for r in results:
        print(f"\n--- {r['subset']} (n={r['total']}) ---")

        # GT Distribution
        print(f"\n  GT Answer Distribution:")
        print(f"    {'Pos':<5} {'Count':<8} {'Pct':<8} {'Acc when GT':<12}")
        print(f"    {'-'*35}")
        for pos in ['A', 'B', 'C', 'D']:
            print(f"    {pos:<5} {r['gt_dist'][pos]:<8} {r['gt_pct'][pos]:.1f}%{'':<4} {r['acc_by_gt_pos'][pos]:.1f}%")

        # Prediction Distribution
        print(f"\n  Model Prediction Distribution:")
        print(f"    {'Pos':<5} {'Count':<8} {'Pct':<8} {'Acc when Pred':<12}")
        print(f"    {'-'*35}")
        for pos in ['A', 'B', 'C', 'D']:
            print(f"    {pos:<5} {r['pred_dist'][pos]:<8} {r['pred_pct'][pos]:.1f}%{'':<4} {r['hit_by_pred_pos'][pos]:.1f}%")

        # Bias ์ง€ํ‘œ
        gt_std = np.std([r['gt_pct'][p] for p in ['A', 'B', 'C', 'D']])
        pred_std = np.std([r['pred_pct'][p] for p in ['A', 'B', 'C', 'D']])

        print(f"\n  Bias Indicators:")
        print(f"    GT Distribution Std: {gt_std:.2f}%p (uniform=0)")
        print(f"    Pred Distribution Std: {pred_std:.2f}%p (uniform=0)")
        print(f"    Overall Accuracy: {r['overall_acc']:.1f}%")


def analyze_model(xlsx_path: str, include_subsets: bool = True) -> List[Dict]:
    """๋ชจ๋ธ ๊ฒฐ๊ณผ ๋ถ„์„"""
    df = pd.read_excel(xlsx_path)

    results = []

    # ์ „์ฒด ๋ถ„์„
    results.append(analyze_bias(df, "ALL"))

    if include_subsets:
        # FAR/CLOSE๋งŒ ๋ถ„์„
        far_close_df = df[df['category'].isin(['far', 'close'])]
        if len(far_close_df) > 0:
            results.append(analyze_bias(far_close_df, "FAR+CLOSE"))

        # Category๋ณ„ ๋ถ„์„
        for cat in ['far', 'close']:
            cat_df = df[df['category'] == cat]
            if len(cat_df) > 0:
                results.append(analyze_bias(cat_df, cat.upper()))

    return results


def compare_models_bias(xlsx_paths: List[str]):
    """์—ฌ๋Ÿฌ ๋ชจ๋ธ์˜ bias ๋น„๊ต (์š”์•ฝ ํ…Œ์ด๋ธ”)"""

    print(f"\n{'='*100}")
    print("MODEL BIAS COMPARISON SUMMARY")
    print(f"{'='*100}")

    # Header
    print(f"\n{'Model':<45} {'Subset':<12} {'GT Std':<10} {'Pred Std':<10} {'Pred Max':<12} {'Acc':<8}")
    print("-" * 97)

    for xlsx_path in xlsx_paths:
        model_name = Path(xlsx_path).stem.replace('_EmbSpatialBench_openai_result', '')
        if len(model_name) > 43:
            model_name = model_name[:40] + "..."

        results = analyze_model(xlsx_path, include_subsets=True)

        for r in results:
            gt_std = np.std([r['gt_pct'][p] for p in ['A', 'B', 'C', 'D']])
            pred_std = np.std([r['pred_pct'][p] for p in ['A', 'B', 'C', 'D']])

            # ๊ฐ€์žฅ ๋งŽ์ด ์„ ํƒํ•œ position
            max_pred_pos = max(r['pred_pct'], key=r['pred_pct'].get)
            max_pred_pct = r['pred_pct'][max_pred_pos]

            if r['subset'] == 'ALL':
                print(f"{model_name:<45} {r['subset']:<12} {gt_std:.1f}%p{'':<4} {pred_std:.1f}%p{'':<4} {max_pred_pos}({max_pred_pct:.1f}%){'':<2} {r['overall_acc']:.1f}%")
            else:
                print(f"{'':<45} {r['subset']:<12} {gt_std:.1f}%p{'':<4} {pred_std:.1f}%p{'':<4} {max_pred_pos}({max_pred_pct:.1f}%){'':<2} {r['overall_acc']:.1f}%")


EVAL_OUTPUT_DIR = 'VLMEvalKit/outputs'

DEFAULT_MODELS = [
    # Molmo-7B
    'molmo-7B-O-0924/molmo-7B-O-0924',
    'molmo-7B-O-0924-data_scale_exp_80k/molmo-7B-O-0924-data_scale_exp_80k',
    'molmo-7B-O-0924-data_scale_exp_400k/molmo-7B-O-0924-data_scale_exp_400k',
    'molmo-7B-O-0924-data_scale_exp_800k/molmo-7B-O-0924-data_scale_exp_800k',
    'molmo-7B-O-0924-data_scale_exp_2m/molmo-7B-O-0924-data_scale_exp_2m',
    # NVILA-Lite-2B
    'NVILA-Lite-2B/NVILA-Lite-2B',
    'NVILA-Lite-2B-data-scale-exp-80k/NVILA-Lite-2B-data-scale-exp-80k',
    'NVILA-Lite-2B-data-scale-exp-400k/NVILA-Lite-2B-data-scale-exp-400k',
    'NVILA-Lite-2B-data-scale-exp-800k/NVILA-Lite-2B-data-scale-exp-800k',
    'NVILA-Lite-2B-data-scale-exp-2m/NVILA-Lite-2B-data-scale-exp-2m',
    'RoboRefer-2B-SFT/RoboRefer-2B-SFT',
    # Qwen2.5-VL-3B
    'Qwen2.5-VL-3B-Instruct/Qwen2.5-VL-3B-Instruct',
    'Qwen2.5-VL-3B-Instruct-data_scale_exp_80k/Qwen2.5-VL-3B-Instruct-data_scale_exp_80k',
    'Qwen2.5-VL-3B-Instruct-data_scale_exp_400k/Qwen2.5-VL-3B-Instruct-data_scale_exp_400k',
    'Qwen2.5-VL-3B-Instruct-data_scale_exp_800k/Qwen2.5-VL-3B-Instruct-data_scale_exp_800k',
    'Qwen2.5-VL-3B-Instruct-data_scale_exp_2m/Qwen2.5-VL-3B-Instruct-data_scale_exp_2m',
]


def get_default_xlsx_paths():
    return [f'{EVAL_OUTPUT_DIR}/{m}_EmbSpatialBench_openai_result.xlsx' for m in DEFAULT_MODELS]


def main():
    parser = argparse.ArgumentParser(description='Answer/Prediction Bias ๋ถ„์„')
    parser.add_argument('xlsx_files', nargs='*', help='Model result xlsx files (์—†์œผ๋ฉด ๊ธฐ๋ณธ ๋ชจ๋ธ ์‚ฌ์šฉ)')
    parser.add_argument('--compare', action='store_true', help='Compare multiple models (summary only)')
    parser.add_argument('--detail', action='store_true', help='Show detailed report for each model')
    parser.add_argument('--output', '-o', type=str, help='Save results to file')

    args = parser.parse_args()

    xlsx_files = args.xlsx_files if args.xlsx_files else get_default_xlsx_paths()

    if args.output:
        tee = TeeWriter(args.output)
        sys.stdout = tee

    if args.compare and not args.detail:
        compare_models_bias(xlsx_files)
    else:
        for xlsx_path in xlsx_files:
            results = analyze_model(xlsx_path)
            print_bias_report(xlsx_path, results)

        if len(xlsx_files) > 1:
            compare_models_bias(xlsx_files)

    if args.output:
        sys.stdout = tee.close()
        print(f"Results saved to {args.output}")


if __name__ == '__main__':
    main()