File size: 12,127 Bytes
31d4d14
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
from __future__ import annotations

import json
import logging
from pathlib import Path
from typing import TypedDict, Dict, Union, List

from langgraph.graph import StateGraph, END
from langchain_openai import ChatOpenAI
from langchain_core.messages import HumanMessage, AIMessage, SystemMessage

from .reflection import (
    DEMO_TEMP_DIR,
    DEMO_DATA_DIR,
    TEMP_DIR,
    _load_audiodescription_from_db,
    _write_casting_csv_from_db,
    _write_scenarios_csv_from_db,
)

logger = logging.getLogger(__name__)


class MultiReflectionState(TypedDict):
    iteration: int
    current_srt_path: str
    critic_report: Dict[str, Union[float, str]]
    history: List[SystemMessage]


# LLM específic per al pipeline multiagent (més econòmic)
_llm_ma = ChatOpenAI(model="gpt-4o-mini", temperature=0.2)


def _read_text(path: Path) -> str:
    try:
        return path.read_text(encoding="utf-8")
    except Exception:
        return ""


def _load_casting_for_sha1(sha1sum: str) -> str:
    db_path = DEMO_DATA_DIR / "casting.db"
    if not db_path.exists():
        return ""
    import sqlite3

    conn = sqlite3.connect(str(db_path))
    conn.row_factory = sqlite3.Row
    try:
        cur = conn.cursor()
        cur.execute("SELECT name, description FROM casting WHERE sha1sum=?", (sha1sum,))
        rows = cur.fetchall()
        if not rows:
            return ""
        data = [dict(r) for r in rows]
        return json.dumps(data, ensure_ascii=False, indent=2)
    finally:
        conn.close()


def _load_scenarios_for_sha1(sha1sum: str) -> str:
    db_path = DEMO_DATA_DIR / "scenarios.db"
    if not db_path.exists():
        return ""
    import sqlite3

    conn = sqlite3.connect(str(db_path))
    conn.row_factory = sqlite3.Row
    try:
        cur = conn.cursor()
        cur.execute("SELECT name, description FROM scenarios WHERE sha1sum=?", (sha1sum,))
        rows = cur.fetchall()
        if not rows:
            return ""
        data = [dict(r) for r in rows]
        return json.dumps(data, ensure_ascii=False, indent=2)
    finally:
        conn.close()


def narrator_initial(state: MultiReflectionState) -> MultiReflectionState:
    """Primer pas del narrador: pren l'SRT inicial tal qual.



    En aquest pipeline assumim que l'entrada ja és un SRT UNE inicial.

    """

    current_path = Path(state["current_srt_path"])
    if not current_path.exists():
        logger.warning("[reflection_ma] SRT inicial no trobat a %s", current_path)
        content = ""
    else:
        content = _read_text(current_path)

    history = state["history"] + [AIMessage(content="Narrador inicial: SRT de partida carregat.")]
    return {
        "iteration": state["iteration"],
        "current_srt_path": str(current_path),
        "critic_report": state.get("critic_report", {}),
        "history": history,
    }


def identity_manager_agent(state: MultiReflectionState, *, sha1sum: str, info_ad: str) -> MultiReflectionState:
    """Agent que revisa identitats/personatges a partir del casting i info_ad."""

    srt_path = Path(state["current_srt_path"])
    srt_content = _read_text(srt_path)
    casting_json = _load_casting_for_sha1(sha1sum)

    prompt = (
        "Ets un gestor d'identitats per audiodescripcions. Se't proporciona un SRT "
        "i informació de casting (personatges) i un JSON de context (info_ad). "
        "La teva tasca és revisar si els noms i rols dels personatges al SRT són "
        "coherents amb el casting i el context. Si cal, corregeix els noms/rols "
        "perquè siguin consistents. Mantén el format SRT i retorna únicament el SRT modificat."
    )

    content = {
        "srt": srt_content,
        "casting": json.loads(casting_json) if casting_json else [],
        "info_ad": json.loads(info_ad) if info_ad else {},
    }

    resp = _llm_ma.invoke(
        [
            SystemMessage(content=prompt),
            HumanMessage(content=json.dumps(content, ensure_ascii=False)),
        ]
    )

    new_srt = resp.content if isinstance(resp.content, str) else str(resp.content)
    new_path = TEMP_DIR / "une_ad_ma_identity.srt"
    new_path.write_text(new_srt, encoding="utf-8")

    history = state["history"] + [AIMessage(content="Identity manager: SRT actualitzat amb identitats coherents.")]
    return {
        "iteration": state["iteration"],
        "current_srt_path": str(new_path),
        "critic_report": state.get("critic_report", {}),
        "history": history,
    }


def background_descriptor_agent(state: MultiReflectionState, *, sha1sum: str) -> MultiReflectionState:
    """Agent que revisa la descripció d'escenaris a partir de scenarios.db."""

    srt_path = Path(state["current_srt_path"])
    srt_content = _read_text(srt_path)
    scenarios_json = _load_scenarios_for_sha1(sha1sum)

    prompt = (
        "Ets un expert en escenaris per audiodescripcions. Se't proporciona un SRT "
        "i una llista d'escenaris amb noms oficials. La teva tasca és revisar les "
        "descripcions de llocs al SRT i substituir referències genèriques per aquests "
        "noms quan millorin la claredat, sense afegir informació inventada. Mantén el "
        "format SRT i retorna únicament el SRT actualitzat."
    )

    content = {
        "srt": srt_content,
        "scenarios": json.loads(scenarios_json) if scenarios_json else [],
    }

    resp = _llm_ma.invoke(
        [
            SystemMessage(content=prompt),
            HumanMessage(content=json.dumps(content, ensure_ascii=False)),
        ]
    )

    new_srt = resp.content if isinstance(resp.content, str) else str(resp.content)
    new_path = TEMP_DIR / "une_ad_ma_background.srt"
    new_path.write_text(new_srt, encoding="utf-8")

    history = state["history"] + [AIMessage(content="Background descriptor: SRT actualitzat amb escenaris contextualitzats.")]
    return {
        "iteration": state["iteration"],
        "current_srt_path": str(new_path),
        "critic_report": state.get("critic_report", {}),
        "history": history,
    }


def narrator_refine_agent(state: MultiReflectionState, *, info_ad: str) -> MultiReflectionState:
    """Segon pas del narrador: reescriu el SRT tenint en compte identitats i escenaris."""

    srt_path = Path(state["current_srt_path"])
    srt_content = _read_text(srt_path)

    prompt = (
        "Ets un Narrador d'audiodescripció UNE-153010. Has rebut un SRT on ja s'han "
        "revisat les identitats dels personatges i els escenaris. La teva tasca és "
        "refinar el text d'audiodescripció perquè sigui clar, coherent i ajustat al "
        "temps disponible, mantenint el format SRT i sense alterar els diàlegs. "
        "Retorna únicament el SRT final."
    )

    content = {
        "srt": srt_content,
        "info_ad": json.loads(info_ad) if info_ad else {},
    }

    resp = _llm_ma.invoke(
        [
            SystemMessage(content=prompt),
            HumanMessage(content=json.dumps(content, ensure_ascii=False)),
        ]
    )

    new_srt = resp.content if isinstance(resp.content, str) else str(resp.content)
    new_path = TEMP_DIR / "une_ad_ma_final.srt"
    new_path.write_text(new_srt, encoding="utf-8")

    history = state["history"] + [AIMessage(content="Narrador: SRT refinat després de gestió d'identitats i escenaris.")]
    return {
        "iteration": state["iteration"] + 1,
        "current_srt_path": str(new_path),
        "critic_report": state.get("critic_report", {}),
        "history": history,
    }


def critic_agent(state: MultiReflectionState) -> MultiReflectionState:
    """Agent que avalua qualitativament el SRT final.



    Per simplicitat, aquí no generem CSV ni mitjanes ponderades; només un resum.

    """

    srt_path = Path(state["current_srt_path"])
    srt_content = _read_text(srt_path)

    prompt = (
        "Ets un crític d'audiodescripcions UNE-153010. Avalua breument la qualitat "
        "del SRT proporcionat en termes de precisió descriptiva, sincronització "
        "temporal, claredat i adequació dels noms de personatges i escenaris. "
        "Retorna un text breu en català amb la teva valoració general."
    )

    resp = _llm_ma.invoke(
        [
            SystemMessage(content=prompt),
            HumanMessage(content=srt_content),
        ]
    )

    critique = resp.content if isinstance(resp.content, str) else str(resp.content)
    report: Dict[str, Union[float, str]] = {
        "qualitative_critique": critique,
    }

    history = state["history"] + [AIMessage(content="Crític: valoració final generada.")]
    return {
        "iteration": state["iteration"],
        "current_srt_path": state["current_srt_path"],
        "critic_report": report,
        "history": history,
    }


# Construcció del graf
_graph = StateGraph(MultiReflectionState)
_graph.add_node("narrator_initial", narrator_initial)
_graph.add_node("identity_manager", lambda s: identity_manager_agent(s, sha1sum=_graph.sha1sum, info_ad=_graph.info_ad))
_graph.add_node("background_descriptor", lambda s: background_descriptor_agent(s, sha1sum=_graph.sha1sum))
_graph.add_node("narrator_refine", lambda s: narrator_refine_agent(s, info_ad=_graph.info_ad))
_graph.add_node("critic", critic_agent)

_graph.set_entry_point("narrator_initial")
_graph.add_edge("narrator_initial", "identity_manager")
_graph.add_edge("identity_manager", "background_descriptor")
_graph.add_edge("background_descriptor", "narrator_refine")
_graph.add_edge("narrator_refine", "critic")
_graph.add_edge("critic", END)


def _compile_app(sha1sum: str, info_ad: str):
    """Compila una instància de l'app de LangGraph amb paràmetres de vídeo."""

    # Guardem paràmetres al propi objecte graf per a les lambdes
    _graph.sha1sum = sha1sum  # type: ignore[attr-defined]
    _graph.info_ad = info_ad  # type: ignore[attr-defined]
    return _graph.compile()


def refine_video_with_reflection_ma(sha1sum: str, version: str) -> str:
    """Refina un vídeo (sha1sum, version) amb el pipeline multiagent de 4 agents.



    - Llegeix une_ad i info_ad de audiodescriptions.db (demo/temp).

    - Llegeix casting/scenarios per al mateix sha1sum.

    - Executa el pipeline narrator -> identity_manager -> background_descriptor -> narrator -> critic.

    - Retorna el SRT final generat.

    """

    une_ad, info_ad = _load_audiodescription_from_db(sha1sum, version)

    # Preparar fitxer inicial d'entrada
    TEMP_DIR.mkdir(exist_ok=True, parents=True)
    initial_path = TEMP_DIR / "une_ad_ma_0.srt"
    initial_path.write_text(une_ad or "", encoding="utf-8")

    app = _compile_app(sha1sum, info_ad or "")
    initial_state: MultiReflectionState = {
        "iteration": 0,
        "current_srt_path": str(initial_path),
        "critic_report": {},
        "history": [],
    }

    final_state = app.invoke(initial_state)
    final_path = Path(final_state["current_srt_path"])
    return _read_text(final_path)


def refine_srt_with_reflection_ma(srt_content: str) -> str:
    """Variant simplificada que només rep un SRT (sense info de BD).



    Es limita a fer passar el SRT pel pipeline d'identitat/escenaris sense mirar casting/scenarios/info_ad.

    Útil per a proves unitàries.

    """

    TEMP_DIR.mkdir(exist_ok=True, parents=True)
    initial_path = TEMP_DIR / "une_ad_ma_0.srt"
    initial_path.write_text(srt_content or "", encoding="utf-8")

    # En aquest mode "standalone" no tenim sha1sum ni info_ad
    app = _compile_app(sha1sum="", info_ad="{}")
    initial_state: MultiReflectionState = {
        "iteration": 0,
        "current_srt_path": str(initial_path),
        "critic_report": {},
        "history": [],
    }

    final_state = app.invoke(initial_state)
    final_path = Path(final_state["current_srt_path"])
    return _read_text(final_path)