File size: 8,053 Bytes
8a682b5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
"""
Interactive Tools Module
Implements tools that require user interaction, including clarification
"""

import asyncio
from typing import Any, Dict, List, Optional, Callable
from datetime import datetime
import json

from langchain_core.tools import StructuredTool
from pydantic import BaseModel, Field


# Global state for managing interactive sessions
class InteractiveState:
    """Manages state for interactive tool calls"""
    def __init__(self):
        self.pending_clarifications: Dict[str, Dict] = {}
        self.clarification_callback: Optional[Callable] = None
        self.user_responses: Dict[str, str] = {}
    
    def set_clarification_callback(self, callback: Callable):
        """Set the callback function for handling clarifications"""
        self.clarification_callback = callback
    
    def add_pending_clarification(self, question_id: str, question: str, context: Dict):
        """Add a pending clarification request"""
        self.pending_clarifications[question_id] = {
            "question": question,
            "context": context,
            "timestamp": datetime.now().isoformat()
        }
    
    def get_user_response(self, question_id: str) -> Optional[str]:
        """Get user response for a clarification"""
        return self.user_responses.get(question_id)
    
    def set_user_response(self, question_id: str, response: str):
        """Set user response for a clarification"""
        self.user_responses[question_id] = response
        # Clean up pending clarification
        if question_id in self.pending_clarifications:
            del self.pending_clarifications[question_id]


# Global interactive state instance
interactive_state = InteractiveState()


class ClarificationInput(BaseModel):
    """Input schema for clarification tool"""
    question: str = Field(description="The clarifying question to ask the user")
    context: Optional[str] = Field(
        default=None,
        description="Optional context about why this clarification is needed"
    )


class UserFeedbackInput(BaseModel):
    """Input schema for user feedback tool"""
    feedback_type: str = Field(
        description="Type of feedback: 'rating', 'correction', 'suggestion'"
    )
    content: str = Field(description="The feedback content")
    related_to: Optional[str] = Field(
        default=None,
        description="What this feedback relates to (e.g., 'last_response', 'tool_output')"
    )


def ask_user_for_clarification(question: str, context: Optional[str] = None) -> str:
    """
    Asks the user a clarifying question to resolve ambiguity or gather missing information.
    
    This tool should be used before calling another tool if you are unsure about any 
    parameters or if the user's request is underspecified. The function will return 
    the user's answer.
    
    Args:
        question: The clarifying question to ask the user
        context: Optional context about why this clarification is needed
        
    Returns:
        The user's response to the clarification question
    """
    import uuid
    question_id = str(uuid.uuid4())
    
    # Store the pending clarification
    interactive_state.add_pending_clarification(
        question_id,
        question,
        {"context": context} if context else {}
    )
    
    # If there's a callback registered (from the UI), invoke it
    if interactive_state.clarification_callback:
        try:
            # This will trigger the UI to show the question and wait for response
            response = interactive_state.clarification_callback(question_id, question, context)
            return response
        except Exception as e:
            return f"Error getting clarification: {str(e)}"
    
    # Fallback: return a message indicating clarification is needed
    return f"Clarification needed: {question}\nContext: {context or 'No additional context'}\nPlease provide your response."


def collect_user_feedback(feedback_type: str, content: str, related_to: Optional[str] = None) -> str:
    """
    Collects feedback from the user about the agent's performance or responses.
    
    Args:
        feedback_type: Type of feedback ('rating', 'correction', 'suggestion')
        content: The feedback content
        related_to: What this feedback relates to
        
    Returns:
        Confirmation message
    """
    try:
        # Store feedback (in a real implementation, this would go to a database)
        feedback_data = {
            "type": feedback_type,
            "content": content,
            "related_to": related_to,
            "timestamp": datetime.now().isoformat()
        }
        
        # Log the feedback
        import logging
        logger = logging.getLogger(__name__)
        logger.info(f"User feedback collected: {feedback_data}")
        
        return f"Thank you for your {feedback_type} feedback. It has been recorded."
        
    except Exception as e:
        return f"Error collecting feedback: {str(e)}"


def request_user_confirmation(action_description: str, details: Optional[str] = None) -> str:
    """
    Requests user confirmation before performing a potentially important action.
    
    Args:
        action_description: Description of the action to be performed
        details: Additional details about the action
        
    Returns:
        User's confirmation or denial
    """
    import uuid
    confirmation_id = str(uuid.uuid4())
    
    confirmation_message = f"Please confirm the following action:\n{action_description}"
    if details:
        confirmation_message += f"\n\nDetails: {details}"
    
    # Store the pending confirmation
    interactive_state.add_pending_clarification(
        confirmation_id,
        confirmation_message,
        {"type": "confirmation", "action": action_description}
    )
    
    # If there's a callback registered, invoke it
    if interactive_state.clarification_callback:
        try:
            response = interactive_state.clarification_callback(confirmation_id, confirmation_message, {"type": "confirmation"})
            return response
        except Exception as e:
            return f"Error getting confirmation: {str(e)}"
    
    # Fallback
    return f"Confirmation needed: {confirmation_message}\nPlease respond with 'yes' or 'no'."


def get_interactive_tools() -> List[StructuredTool]:
    """
    Returns the complete set of interactive tools.
    """
    clarification_tool = StructuredTool.from_function(
        func=ask_user_for_clarification,
        name="ask_user_for_clarification",
        description="Ask the user a clarifying question when you need more information or are unsure about parameters.",
        args_schema=ClarificationInput
    )
    
    feedback_tool = StructuredTool.from_function(
        func=collect_user_feedback,
        name="collect_user_feedback",
        description="Collect feedback from the user about your performance or responses.",
        args_schema=UserFeedbackInput
    )
    
    confirmation_tool = StructuredTool.from_function(
        func=request_user_confirmation,
        name="request_user_confirmation",
        description="Request user confirmation before performing important actions.",
        args_schema=ClarificationInput
    )
    
    return [clarification_tool, feedback_tool, confirmation_tool]


def set_clarification_callback(callback: Callable):
    """
    Set the callback function for handling clarifications in the UI.
    
    Args:
        callback: Function that takes (question_id, question, context) and returns user response
    """
    interactive_state.set_clarification_callback(callback)


def get_pending_clarifications() -> Dict[str, Dict]:
    """
    Get all pending clarifications.
    
    Returns:
        Dictionary of pending clarifications
    """
    return interactive_state.pending_clarifications.copy()


def clear_pending_clarifications():
    """Clear all pending clarifications."""
    interactive_state.pending_clarifications.clear()
    interactive_state.user_responses.clear()