summaryrefslogtreecommitdiff
path: root/collaborativeagents/adapters/reflection_adapter.py
blob: 451c69434d4a8c88e97485232b8cd17fe764c72f (plain)
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
430
431
432
433
434
435
436
437
438
"""
Reflection Adapter - vLLM-based implementation using original CollaborativeAgents prompts.

This implements the "reflection" baseline from the MULTISESSIONCOLLAB paper:
- After each session, agent reflects on interaction to update memory (agent_notes)
- Memory is provided to agent at start of subsequent sessions
- Uses session-level reflection + persistent memory
- Uses LLM-based retrieval (proper_scaffolding) to prevent context overflow

Now uses vLLM for fast inference instead of local transformers.
Uses EXACT prompts from the original CollaborativeAgents paper for fairness.
"""

import sys
from pathlib import Path
from typing import Optional, List, Dict, Any
from json_repair import repair_json

# Add parent for utils import
sys.path.insert(0, str(Path(__file__).parent.parent))
from utils.vllm_client import VLLMClient, VLLMConfig

# Import ORIGINAL prompts from CollaborativeAgents for fair reproduction
sys.path.insert(0, str(Path(__file__).parent.parent / "collaborativeagents"))
from collaborativeagents.prompts import (
    reflective_agent_system_prompt_no_json,
    update_agent_notes_prompt,
    proper_scaffolding_prompt,
)
from collaborativeagents.utils import get_conversation_string

# Default vLLM URL (agent server on port 8003)
DEFAULT_VLLM_URL = "http://localhost:8003/v1"


class ReflectionAdapter:
    """
    Adapter for the Reflection baseline from MULTISESSIONCOLLAB.

    Uses vLLM for fast inference with:
    - agent_notes: Persistent memory updated via session-level reflection
    - Memory retrieval at each turn via proper_scaffolding (when notes are long)

    Uses ORIGINAL CollaborativeAgents prompts for fair benchmark reproduction.
    """

    def __init__(
        self,
        model_name: str = None,  # Ignored - vLLM auto-discovers model
        device_assignment: dict = None,  # Ignored - vLLM handles GPU
        api_base: str = None,  # vLLM server URL
        api_key: str = None,   # Ignored
        with_scaffolding: bool = True,
        with_proper_scaffolding: bool = True,  # Enable LLM-based retrieval by default
        vllm_url: str = None,  # vLLM server URL
        max_new_tokens: int = 2048,  # Match original CollaborativeAgents setting
    ):
        self.vllm_url = vllm_url or api_base or DEFAULT_VLLM_URL
        self.with_scaffolding = with_scaffolding
        self.with_proper_scaffolding = with_proper_scaffolding
        self.max_new_tokens = max_new_tokens

        # Per-user memory storage
        self._user_notes: Dict[str, str] = {}
        self._current_user_id: Optional[str] = None
        self._conversation_history: List[Dict[str, str]] = []

        # vLLM client (initialized lazily)
        self._client: Optional[VLLMClient] = None
        self._initialized = False

    def initialize(self):
        """Initialize the adapter (connects to vLLM server)."""
        if self._initialized:
            return

        print(f"[ReflectionAdapter] Connecting to vLLM server at {self.vllm_url}...")
        print(f"[ReflectionAdapter] Using proper_scaffolding={self.with_proper_scaffolding}")

        # Retry connection with exponential backoff
        import time
        max_retries = 30
        for attempt in range(max_retries):
            try:
                self._client = VLLMClient(base_url=self.vllm_url)
                if self._client.health_check():
                    break
            except Exception as e:
                pass

            if attempt < max_retries - 1:
                wait_time = min(2 ** attempt * 0.5, 10)  # 0.5, 1, 2, 4, 8, 10, 10...
                time.sleep(wait_time)
        else:
            raise RuntimeError(f"vLLM server not responding at {self.vllm_url} after {max_retries} retries")

        self._initialized = True
        print(f"[ReflectionAdapter] Connected to vLLM (model: {self._client.config.model})")

    def _generate(self, messages: List[Dict[str, str]], max_new_tokens: int = 1024) -> str:
        """Generate response using vLLM server."""
        if not self._initialized:
            self.initialize()

        result = self._client.chat(
            messages=messages,
            max_tokens=max_new_tokens,
            temperature=1.0,  # Match original CollaborativeAgents setting
            top_p=0.9,
        )

        return result["content"]

    def _prepend_notes_to_conversation(self, conversation, notes_text):
        """Prepend notes to the first message of a conversation copy."""
        if conversation:
            conversation = list(conversation)
            conversation[0] = dict(conversation[0])
            conversation[0]["content"] = (
                f"Remember, you have been taking notes throughout past conversations "
                f"about user preferences. Use whatever is relevant in these notes to "
                f"guide your response:\n{notes_text}\n\n" + conversation[0]["content"]
            )
        return conversation

    def _add_scaffolding_to_conversation(
        self,
        conversation: List[Dict[str, str]],
        agent_notes: str
    ) -> List[Dict[str, str]]:
        """
        Add scaffolding (memory notes) to conversation.
        Sequential version - for non-batch use only.
        """
        if not self.with_proper_scaffolding:
            return self._prepend_notes_to_conversation(conversation, agent_notes)
        else:
            prompt = self.get_scaffolding_prompt(conversation, agent_notes)
            if prompt is None:
                return self._prepend_notes_to_conversation(conversation, agent_notes)
            response = self._generate([{"role": "user", "content": prompt}], max_new_tokens=512)
            return self.apply_scaffolding_response(conversation, agent_notes, response)

    def get_scaffolding_prompt(self, conversation, agent_notes):
        """Build the scaffolding prompt for batch processing. Returns None if no scaffolding needed."""
        if not self.with_proper_scaffolding:
            return None
        conversation_str = get_conversation_string(conversation)
        return proper_scaffolding_prompt.format(
            conversation_history=conversation_str,
            complete_agent_notes=agent_notes
        )

    def apply_scaffolding_response(self, conversation, agent_notes, response):
        """Apply a scaffolding LLM response to the conversation."""
        try:
            parsed = repair_json(response, return_objects=True)
            if "relevant_notes" in parsed:
                notes_text = parsed["relevant_notes"]
                if conversation:
                    conversation = list(conversation)
                    conversation[0] = dict(conversation[0])
                    conversation[0]["content"] = (
                        f"Remember, you have been taking notes throughout past conversations "
                        f"about user preferences. Use these notes to guide your response:\n"
                        f"{notes_text}\n\n" + conversation[0]["content"]
                    )
                return conversation
        except Exception:
            pass
        # Fallback: use all notes
        return self._prepend_notes_to_conversation(conversation, agent_notes)

    def get_note_update_prompt(self, user_id=None):
        """Build the note-update prompt for batch processing. Returns (messages, user_id) or None."""
        uid = user_id or self._current_user_id
        if not uid or not self._conversation_history:
            return None
        current_notes = self._user_notes.get(uid, "No notes yet.")
        conversation_str = get_conversation_string(self._conversation_history)
        prompt = update_agent_notes_prompt.format(
            agent_notes=current_notes,
            conversation_str=conversation_str
        )
        return [{"role": "user", "content": prompt}]

    def apply_note_update_response(self, response, user_id=None):
        """Apply a note-update LLM response."""
        uid = user_id or self._current_user_id
        if not uid:
            return
        try:
            # 8B model: use raw response directly
            updated_notes = response.strip()
            if updated_notes:
                old_len = len(self._user_notes.get(uid, ""))
                self._user_notes[uid] = updated_notes
        except Exception:
            pass

    def start_session(self, user_id: str, user_profile: dict = None):
        """Start a new session for a user."""
        if not self._initialized:
            self.initialize()

        self._current_user_id = user_id
        self._conversation_history = []

    def generate_response(
        self,
        query: str,
        conversation_history: List[Dict[str, str]] = None
    ) -> Dict[str, Any]:
        """Generate a response using the reflection agent."""
        if not self._initialized:
            self.initialize()

        # Add user query to history
        self._conversation_history.append({"role": "user", "content": query})

        # Get current notes for this user
        agent_notes = self._user_notes.get(self._current_user_id, "No notes yet about this user.")

        # Build conversation with scaffolding (uses proper_scaffolding if enabled)
        if self.with_scaffolding and agent_notes != "No notes yet about this user.":
            conversation_with_notes = self._add_scaffolding_to_conversation(
                self._conversation_history, agent_notes
            )
        else:
            conversation_with_notes = self._conversation_history

        # Build system prompt using ORIGINAL CollaborativeAgents prompt
        # Note: For no_json mode, we don't include agent_notes in system prompt
        # because they're added via scaffolding to the conversation
        system_prompt = reflective_agent_system_prompt_no_json.format(
            agent_notes=agent_notes if not self.with_scaffolding else "See notes in conversation."
        )

        # Build messages for generation
        messages = [{"role": "system", "content": system_prompt}]
        messages.extend(conversation_with_notes)

        # Generate response
        response_text = self._generate(messages, max_new_tokens=self.max_new_tokens)

        self._conversation_history.append({"role": "assistant", "content": response_text})

        return {
            "response": response_text,
            "reasoning": "",
            "debug": {"agent_notes": agent_notes, "proper_scaffolding": self.with_proper_scaffolding}
        }

    def prepare_prompt(
        self,
        query: str,
        conversation_history: List[Dict[str, str]] = None
    ) -> tuple:
        """
        Prepare prompt for batch processing without calling main LLM.

        Note: This may still call LLM for scaffolding (memory retrieval),
        but the main generation is deferred for batching.

        Args:
            query: Current user query
            conversation_history: Previous conversation

        Returns:
            Tuple of (messages, context) for batch processing
        """
        if not self._initialized:
            self.initialize()

        # Add user query to history
        self._conversation_history.append({"role": "user", "content": query})

        # Get current notes for this user
        agent_notes = self._user_notes.get(self._current_user_id, "No notes yet about this user.")

        # Store for batch scaffolding (prepare_prompt may be called after batch scaffolding)
        self._pending_agent_notes = agent_notes
        self._pending_scaffolded = False

        # Build conversation with scaffolding
        if self.with_scaffolding and agent_notes != "No notes yet about this user.":
            if hasattr(self, '_scaffolding_result') and self._scaffolding_result is not None:
                # Use pre-computed batch scaffolding result
                conversation_with_notes = self.apply_scaffolding_response(
                    list(self._conversation_history), agent_notes, self._scaffolding_result)
                self._scaffolding_result = None
                self._pending_scaffolded = True
            elif not self.with_proper_scaffolding:
                conversation_with_notes = self._prepend_notes_to_conversation(
                    self._conversation_history, agent_notes)
                self._pending_scaffolded = True
            else:
                # Sequential fallback - should not happen in batch mode
                conversation_with_notes = self._add_scaffolding_to_conversation(
                    self._conversation_history, agent_notes)
                self._pending_scaffolded = True
        else:
            conversation_with_notes = self._conversation_history

        # Build system prompt using ORIGINAL CollaborativeAgents prompt
        system_prompt = reflective_agent_system_prompt_no_json.format(
            agent_notes=agent_notes if not self.with_scaffolding else "See notes in conversation."
        )

        # Build messages for generation
        messages = [{"role": "system", "content": system_prompt}]
        messages.extend(conversation_with_notes)

        # Context for post-processing
        ctx = {
            "agent_notes": agent_notes,
        }

        return messages, ctx

    def process_response(
        self,
        response: str,
        context: dict
    ) -> Dict[str, Any]:
        """
        Process LLM response after batch call.

        Args:
            response: LLM response text
            context: Context dict from prepare_prompt()

        Returns:
            Dict with 'response', 'reasoning', and debug info
        """
        self._conversation_history.append({"role": "assistant", "content": response})

        return {
            "response": response,
            "reasoning": "",
            "debug": {
                "agent_notes": context["agent_notes"],
                "proper_scaffolding": self.with_proper_scaffolding
            }
        }

    def _update_agent_notes(self, agent_notes: str, conversation: List[Dict[str, str]]) -> Optional[Dict]:
        """
        Update agent notes using ORIGINAL CollaborativeAgents logic.

        For 8B models (no_json): Use raw response directly
        For JSON models: Check for required keys, retry up to num_retries times
        Returns None if all retries fail (keeps old notes)
        """
        conversation_str = get_conversation_string(conversation)
        formatted_prompt = update_agent_notes_prompt.format(
            agent_notes=agent_notes,
            conversation_str=conversation_str
        )

        num_retries = 10
        no_json = True  # 8B model

        for attempt in range(num_retries):
            try:
                messages = [{"role": "user", "content": formatted_prompt}]
                response = self._generate(messages, max_new_tokens=512)

                # For 8B models (no_json=True): use raw response directly
                if no_json:
                    return {"agent_notes": response}

                # For JSON models: parse and check keys
                processed_response = repair_json(response, return_objects=True)
                missing_keys = [k for k in ["user_preferences_reasoning", "agent_notes"] if k not in processed_response]

                if missing_keys:
                    print(f"[ReflectionAdapter] Missing keys: {missing_keys}, attempt {attempt + 1}")
                    continue

                return processed_response

            except Exception as e:
                print(f"[ReflectionAdapter] Failed to update agent notes: {e}")

        return None  # All retries failed, keep old notes

    def end_session(self, task_success: bool = False, skip_note_update: bool = False) -> Dict[str, Any]:
        """
        End session and update agent notes via reflection.

        Args:
            task_success: Whether the task was completed successfully
            skip_note_update: If True, skip note update (already done via batch)
        """
        if not self._current_user_id:
            return {}

        # Update notes via session-level reflection (skip if batch already did it)
        if not skip_note_update and len(self._conversation_history) > 0:
            result = self._update_agent_notes(
                self._user_notes.get(self._current_user_id, "No notes yet."),
                self._conversation_history)
            if result is not None and "agent_notes" in result:
                self._user_notes[self._current_user_id] = result["agent_notes"]

        return {
            "turns": len(self._conversation_history),
            "task_success": task_success,
            "notes_updated": True,
        }

    def reset_user(self, user_id: str):
        """Reset all memory for a user."""
        if user_id in self._user_notes:
            del self._user_notes[user_id]

    def __call__(
        self,
        messages: List[Dict[str, str]],
        user_profile: dict = None,
        **kwargs
    ) -> str:
        """Callable interface for ConversationGenerator compatibility."""
        if not messages:
            return "How can I help you?"

        last_user_msg = None
        for msg in reversed(messages):
            if msg["role"] == "user":
                last_user_msg = msg["content"]
                break

        if last_user_msg is None:
            return "How can I help you?"

        result = self.generate_response(last_user_msg, messages)
        return result["response"]