File size: 9,242 Bytes
f8437ec
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
"""
analysis/semantic_drift.py
===========================
Task 2: Semantic drift metric β€” how much does the intermediate generation
diverge from the final output as we walk through diffusion steps T β†’ 0?

Metric: CER between x0_estimate at each step vs the final x0 at t=0.

A well-trained model should show:
  - High drift at t=T-1 (near-random initial estimate)
  - Rapid decrease in drift around t=T//2 (model finds the right structure)
  - Near-zero drift at t=10 (output is stable, only fine corrections remain)

If drift stays high until t=5 then suddenly collapses β†’ model is doing all
its work in the last few steps β†’ consider reducing T.

Also measures:
  - Token stability: fraction of positions that don't change between steps
  - Lock-in time: first step where each position "commits" to its final token

No retraining required. Uses generate_cached() with intermediate snapshots.
"""

import torch
import torch.nn.functional as F
import numpy as np
from typing import List, Dict, Optional, Tuple


def compute_cer_between(pred: str, ref: str) -> float:
    """CER between two strings."""
    if not ref:
        return 1.0 if pred else 0.0

    def edit_distance(s1, s2):
        m, n = len(s1), len(s2)
        dp = list(range(n + 1))
        for i in range(1, m + 1):
            prev, dp[0] = dp[0], i
            for j in range(1, n + 1):
                temp = dp[j]
                dp[j] = prev if s1[i-1] == s2[j-1] else 1 + min(prev, dp[j], dp[j-1])
                prev = temp
        return dp[n]

    return edit_distance(pred, ref) / len(ref)


@torch.no_grad()
def capture_intermediate_outputs(
    model,
    src:          torch.Tensor,
    tgt_tokenizer,
    capture_every: int = 5,
    temperature:   float = 0.8,
    top_k:         int   = 40,
) -> Tuple[Dict[int, str], str]:
    """
    Run generation while recording the decoded x0_estimate at every
    `capture_every` diffusion steps.

    Args:
        model         : SanskritModel (D3PMCrossAttention)
        src           : [1, src_len] IAST token ids (single sample)
        tgt_tokenizer : SanskritTargetTokenizer for decoding intermediate outputs
        capture_every : record every N steps
        temperature   : sampling temperature
        top_k         : top-k filter

    Returns:
        step_outputs : dict mapping t_val β†’ decoded Devanagari string at that step
        final_output : decoded string at t=0 (final result)
    """
    if src.dim() == 1:
        src = src.unsqueeze(0)

    inner  = model.model
    T      = inner.scheduler.num_timesteps
    device = src.device

    # Encode source once (KV cache)
    memory, src_pad_mask = inner.encode_source(src)

    B       = src.shape[0]
    tgt_len = inner.max_seq_len
    mask_id = inner.mask_token_id

    x0_est = torch.full((B, tgt_len), mask_id, dtype=torch.long, device=device)
    hint   = None

    step_outputs: Dict[int, str] = {}
    inner.eval()

    for t_val in range(T - 1, -1, -1):
        t       = torch.full((B,), t_val, dtype=torch.long, device=device)
        is_last = (t_val == 0)

        logits, _ = inner.forward_cached(
            memory, src_pad_mask, x0_est, t,
            x0_hint=hint, inference_mode=True,
        )

        logits = logits / max(temperature, 1e-8)
        if top_k > 0:
            V = logits.shape[-1]
            if top_k < V:
                topk_vals, _ = torch.topk(logits, top_k, dim=-1)
                threshold    = topk_vals[..., -1].unsqueeze(-1)
                logits       = logits.masked_fill(logits < threshold, float('-inf'))

        probs  = F.softmax(logits, dim=-1)
        x0_est = torch.argmax(probs, dim=-1) if is_last else _sample(probs)
        hint   = x0_est

        # Capture at this step
        if (T - 1 - t_val) % capture_every == 0 or is_last:
            ids  = [x for x in x0_est[0].tolist() if x > 4]
            text = tgt_tokenizer.decode(ids).strip()
            step_outputs[t_val] = text

    final_output = step_outputs.get(0, "")
    return step_outputs, final_output


def _sample(probs):
    B, L, V = probs.shape
    flat    = probs.view(B * L, V).clamp(min=1e-9)
    flat    = flat / flat.sum(dim=-1, keepdim=True)
    return torch.multinomial(flat, 1).squeeze(-1).view(B, L)


def compute_drift(
    step_outputs:  Dict[int, str],
    final_output:  str,
) -> Dict[str, object]:
    """
    Compute drift metrics comparing each intermediate output to the final.

    Returns dict with:
      t_vals      : list of captured timesteps (T-1 β†’ 0)
      cer_to_final: CER between each step's output and the final output
                    0.0 = identical to final, 1.0 = completely different
      lock_in_t   : first t_val where CER drops and stays below 0.1
                    (step at which output "commits" to final form)
    """
    t_vals       = sorted(step_outputs.keys(), reverse=True)   # T-1 β†’ 0
    cer_to_final = []

    for t_val in t_vals:
        cer = compute_cer_between(step_outputs[t_val], final_output)
        cer_to_final.append(cer)

    # Find lock-in: first step where CER stays below threshold for rest of run
    threshold = 0.1
    lock_in_t = 0   # default: never locked in early
    for i, (t_val, cer) in enumerate(zip(t_vals, cer_to_final)):
        if all(c <= threshold for c in cer_to_final[i:]):
            lock_in_t = t_val
            break

    return {
        "t_vals":       t_vals,
        "cer_to_final": cer_to_final,
        "lock_in_t":    lock_in_t,
        "final_output": final_output,
    }


def compute_token_stability(
    step_outputs:  Dict[int, str],
    final_output:  str,
    tgt_tokenizer,
) -> Dict[str, object]:
    """
    Token-level stability: for each position, at which diffusion step
    does it first match its final token and stay matched?

    Returns:
      position_lock_times: list of t_val at which each position locks in
      mean_lock_t        : average lock-in timestep across positions
    """
    T      = max(step_outputs.keys())
    t_vals = sorted(step_outputs.keys(), reverse=True)   # T-1 β†’ 0

    # Encode all intermediate outputs and the final
    def encode(text):
        return tgt_tokenizer.encode(text)

    final_ids = encode(final_output)
    L         = len(final_ids)

    # Build matrix: [n_steps, L]
    step_ids = []
    for t_val in t_vals:
        step_ids.append(encode(step_outputs.get(t_val, "")))

    # Pad all to same length
    max_len = max(len(s) for s in step_ids)
    step_ids = [s + [1] * (max_len - len(s)) for s in step_ids]   # 1=PAD
    final_ids_padded = final_ids + [1] * (max_len - len(final_ids))

    step_arr  = np.array(step_ids)                # [n_steps, L]
    final_arr = np.array(final_ids_padded)         # [L]

    # For each position: find first step index where it matches final
    # and stays matched for all subsequent steps
    position_lock_steps = []
    for pos in range(min(L, max_len)):
        col = step_arr[:, pos]   # [n_steps]
        fin = final_arr[pos]
        locked_at = len(t_vals) - 1   # default: never locks early
        for i in range(len(t_vals)):
            if all(col[i:] == fin):
                locked_at = i
                break
        position_lock_steps.append(t_vals[locked_at] if locked_at < len(t_vals) else 0)

    return {
        "position_lock_times": position_lock_steps,
        "mean_lock_t":         float(np.mean(position_lock_steps)),
        "std_lock_t":          float(np.std(position_lock_steps)),
    }


def plot_drift_curve(
    drift_result: Dict,
    src_text:     str = "",
    save_path:    Optional[str] = None,
):
    """
    Plot CER-to-final vs diffusion step.
    Shows where the model "commits" to the final output.
    """
    try:
        import matplotlib.pyplot as plt
    except ImportError:
        print("pip install matplotlib.")
        return

    t_vals  = drift_result["t_vals"]
    cers    = drift_result["cer_to_final"]
    lock_t  = drift_result["lock_in_t"]

    fig, ax = plt.subplots(figsize=(12, 4))
    ax.plot(range(len(t_vals)), cers, linewidth=1.8, color='coral', label='CER to final')
    ax.fill_between(range(len(t_vals)), cers, alpha=0.15, color='coral')

    # Mark lock-in point
    if lock_t in t_vals:
        lock_idx = t_vals.index(lock_t)
        ax.axvline(lock_idx, color='steelblue', linestyle='--', linewidth=1.2,
                   label=f"Lock-in at t={lock_t}")

    ax.axhline(0.1, color='gray', linestyle=':', linewidth=1, alpha=0.7)

    n = len(t_vals)
    tick_positions = list(range(0, n, max(1, n // 10)))
    ax.set_xticks(tick_positions)
    ax.set_xticklabels([str(t_vals[i]) for i in tick_positions], fontsize=8)
    ax.set_xlabel("Diffusion step t  (T-1 β†’ 0)", fontsize=11)
    ax.set_ylabel("CER vs final output", fontsize=11)
    ax.set_ylim(0, 1.05)
    ax.set_xlim(0, n - 1)
    ax.legend(fontsize=10)

    title = f"Semantic drift"
    if src_text:
        title += f"  |  src: {src_text[:50]}"
    ax.set_title(title, fontsize=11)
    plt.tight_layout()

    if save_path:
        import os
        os.makedirs(os.path.dirname(save_path) or ".", exist_ok=True)
        plt.savefig(save_path, dpi=150, bbox_inches='tight')
        print(f"Saved: {save_path}")
    else:
        plt.show()
    plt.close()