solana-agent 27.4.3__py3-none-any.whl → 28.0.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- solana_agent/__init__.py +7 -2
- solana_agent/adapters/openai_adapter.py +17 -21
- solana_agent/factories/agent_factory.py +60 -79
- solana_agent/guardrails/pii.py +107 -0
- solana_agent/interfaces/guardrails/guardrails.py +26 -0
- solana_agent/interfaces/providers/llm.py +1 -1
- solana_agent/services/agent.py +577 -308
- solana_agent/services/query.py +140 -58
- {solana_agent-27.4.3.dist-info → solana_agent-28.0.0.dist-info}/METADATA +108 -52
- {solana_agent-27.4.3.dist-info → solana_agent-28.0.0.dist-info}/RECORD +12 -10
- {solana_agent-27.4.3.dist-info → solana_agent-28.0.0.dist-info}/LICENSE +0 -0
- {solana_agent-27.4.3.dist-info → solana_agent-28.0.0.dist-info}/WHEEL +0 -0
    
        solana_agent/services/query.py
    CHANGED
    
    | @@ -6,16 +6,29 @@ other services to provide comprehensive responses while maintaining | |
| 6 6 | 
             
            clean separation of concerns.
         | 
| 7 7 | 
             
            """
         | 
| 8 8 |  | 
| 9 | 
            -
             | 
| 9 | 
            +
            import logging
         | 
| 10 | 
            +
            from typing import Any, AsyncGenerator, Dict, List, Literal, Optional, Union
         | 
| 10 11 |  | 
| 12 | 
            +
            # Interface imports
         | 
| 11 13 | 
             
            from solana_agent.interfaces.services.query import QueryService as QueryServiceInterface
         | 
| 12 14 | 
             
            from solana_agent.interfaces.services.routing import (
         | 
| 13 15 | 
             
                RoutingService as RoutingServiceInterface,
         | 
| 14 16 | 
             
            )
         | 
| 17 | 
            +
            from solana_agent.interfaces.providers.memory import (
         | 
| 18 | 
            +
                MemoryProvider as MemoryProviderInterface,
         | 
| 19 | 
            +
            )
         | 
| 20 | 
            +
            from solana_agent.interfaces.services.knowledge_base import (
         | 
| 21 | 
            +
                KnowledgeBaseService as KnowledgeBaseInterface,
         | 
| 22 | 
            +
            )
         | 
| 23 | 
            +
            from solana_agent.interfaces.guardrails.guardrails import (
         | 
| 24 | 
            +
                InputGuardrail,
         | 
| 25 | 
            +
            )  # <-- Import InputGuardrail
         | 
| 26 | 
            +
             | 
| 27 | 
            +
            # Service imports (assuming AgentService is the concrete implementation)
         | 
| 15 28 | 
             
            from solana_agent.services.agent import AgentService
         | 
| 16 29 | 
             
            from solana_agent.services.routing import RoutingService
         | 
| 17 | 
            -
             | 
| 18 | 
            -
             | 
| 30 | 
            +
             | 
| 31 | 
            +
            logger = logging.getLogger(__name__)
         | 
| 19 32 |  | 
| 20 33 |  | 
| 21 34 | 
             
            class QueryService(QueryServiceInterface):
         | 
| @@ -25,9 +38,10 @@ class QueryService(QueryServiceInterface): | |
| 25 38 | 
             
                    self,
         | 
| 26 39 | 
             
                    agent_service: AgentService,
         | 
| 27 40 | 
             
                    routing_service: RoutingService,
         | 
| 28 | 
            -
                    memory_provider: Optional[ | 
| 29 | 
            -
                    knowledge_base: Optional[ | 
| 41 | 
            +
                    memory_provider: Optional[MemoryProviderInterface] = None,
         | 
| 42 | 
            +
                    knowledge_base: Optional[KnowledgeBaseInterface] = None,
         | 
| 30 43 | 
             
                    kb_results_count: int = 3,
         | 
| 44 | 
            +
                    input_guardrails: List[InputGuardrail] = None,
         | 
| 31 45 | 
             
                ):
         | 
| 32 46 | 
             
                    """Initialize the query service.
         | 
| 33 47 |  | 
| @@ -35,12 +49,16 @@ class QueryService(QueryServiceInterface): | |
| 35 49 | 
             
                        agent_service: Service for AI agent management
         | 
| 36 50 | 
             
                        routing_service: Service for routing queries to appropriate agents
         | 
| 37 51 | 
             
                        memory_provider: Optional provider for memory storage and retrieval
         | 
| 52 | 
            +
                        knowledge_base: Optional provider for knowledge base interactions
         | 
| 53 | 
            +
                        kb_results_count: Number of results to retrieve from knowledge base
         | 
| 54 | 
            +
                        input_guardrails: List of input guardrail instances
         | 
| 38 55 | 
             
                    """
         | 
| 39 56 | 
             
                    self.agent_service = agent_service
         | 
| 40 57 | 
             
                    self.routing_service = routing_service
         | 
| 41 58 | 
             
                    self.memory_provider = memory_provider
         | 
| 42 59 | 
             
                    self.knowledge_base = knowledge_base
         | 
| 43 60 | 
             
                    self.kb_results_count = kb_results_count
         | 
| 61 | 
            +
                    self.input_guardrails = input_guardrails or []  # <-- Store guardrails
         | 
| 44 62 |  | 
| 45 63 | 
             
                async def process(
         | 
| 46 64 | 
             
                    self,
         | 
| @@ -69,7 +87,7 @@ class QueryService(QueryServiceInterface): | |
| 69 87 | 
             
                    prompt: Optional[str] = None,
         | 
| 70 88 | 
             
                    router: Optional[RoutingServiceInterface] = None,
         | 
| 71 89 | 
             
                ) -> AsyncGenerator[Union[str, bytes], None]:  # pragma: no cover
         | 
| 72 | 
            -
                    """Process the user request with appropriate agent.
         | 
| 90 | 
            +
                    """Process the user request with appropriate agent and apply input guardrails.
         | 
| 73 91 |  | 
| 74 92 | 
             
                    Args:
         | 
| 75 93 | 
             
                        user_id: User ID
         | 
| @@ -86,21 +104,48 @@ class QueryService(QueryServiceInterface): | |
| 86 104 | 
             
                        Response chunks (text strings or audio bytes)
         | 
| 87 105 | 
             
                    """
         | 
| 88 106 | 
             
                    try:
         | 
| 89 | 
            -
                        # Handle  | 
| 107 | 
            +
                        # --- 1. Handle Audio Input & Extract Text ---
         | 
| 90 108 | 
             
                        user_text = ""
         | 
| 91 109 | 
             
                        if not isinstance(query, str):
         | 
| 110 | 
            +
                            logger.info(
         | 
| 111 | 
            +
                                f"Received audio input, transcribing format: {audio_input_format}"
         | 
| 112 | 
            +
                            )
         | 
| 92 113 | 
             
                            async for (
         | 
| 93 114 | 
             
                                transcript
         | 
| 94 115 | 
             
                            ) in self.agent_service.llm_provider.transcribe_audio(
         | 
| 95 116 | 
             
                                query, audio_input_format
         | 
| 96 117 | 
             
                            ):
         | 
| 97 118 | 
             
                                user_text += transcript
         | 
| 119 | 
            +
                            logger.info(f"Transcription result length: {len(user_text)}")
         | 
| 98 120 | 
             
                        else:
         | 
| 99 121 | 
             
                            user_text = query
         | 
| 122 | 
            +
                            logger.info(f"Received text input length: {len(user_text)}")
         | 
| 123 | 
            +
             | 
| 124 | 
            +
                        # --- 2. Apply Input Guardrails ---
         | 
| 125 | 
            +
                        original_text = user_text
         | 
| 126 | 
            +
                        processed_text = user_text
         | 
| 127 | 
            +
                        for guardrail in self.input_guardrails:
         | 
| 128 | 
            +
                            try:
         | 
| 129 | 
            +
                                processed_text = await guardrail.process(processed_text)
         | 
| 130 | 
            +
                                logger.debug(
         | 
| 131 | 
            +
                                    f"Applied input guardrail: {guardrail.__class__.__name__}"
         | 
| 132 | 
            +
                                )
         | 
| 133 | 
            +
                            except Exception as e:
         | 
| 134 | 
            +
                                logger.error(
         | 
| 135 | 
            +
                                    f"Error applying input guardrail {guardrail.__class__.__name__}: {e}",
         | 
| 136 | 
            +
                                    exc_info=True,
         | 
| 137 | 
            +
                                )
         | 
| 138 | 
            +
                        if processed_text != original_text:
         | 
| 139 | 
            +
                            logger.info(
         | 
| 140 | 
            +
                                f"Input guardrails modified user text. Original length: {len(original_text)}, New length: {len(processed_text)}"
         | 
| 141 | 
            +
                            )
         | 
| 142 | 
            +
                        user_text = processed_text  # Use the processed text going forward
         | 
| 143 | 
            +
                        # --- End Apply Input Guardrails ---
         | 
| 100 144 |  | 
| 101 | 
            -
                        # Handle  | 
| 145 | 
            +
                        # --- 3. Handle Simple Greetings ---
         | 
| 102 146 | 
             
                        if user_text.strip().lower() in ["test", "hello", "hi", "hey", "ping"]:
         | 
| 103 147 | 
             
                            response = "Hello! How can I help you today?"
         | 
| 148 | 
            +
                            logger.info("Handling simple greeting.")
         | 
| 104 149 | 
             
                            if output_format == "audio":
         | 
| 105 150 | 
             
                                async for chunk in self.agent_service.llm_provider.tts(
         | 
| 106 151 | 
             
                                    text=response,
         | 
| @@ -112,25 +157,32 @@ class QueryService(QueryServiceInterface): | |
| 112 157 | 
             
                            else:
         | 
| 113 158 | 
             
                                yield response
         | 
| 114 159 |  | 
| 115 | 
            -
                            # Store simple interaction in memory
         | 
| 160 | 
            +
                            # Store simple interaction in memory (using processed user_text)
         | 
| 116 161 | 
             
                            if self.memory_provider:
         | 
| 117 162 | 
             
                                await self._store_conversation(user_id, user_text, response)
         | 
| 118 163 | 
             
                            return
         | 
| 119 164 |  | 
| 120 | 
            -
                        # Get  | 
| 165 | 
            +
                        # --- 4. Get Memory Context ---
         | 
| 121 166 | 
             
                        memory_context = ""
         | 
| 122 167 | 
             
                        if self.memory_provider:
         | 
| 123 | 
            -
                             | 
| 168 | 
            +
                            try:
         | 
| 169 | 
            +
                                memory_context = await self.memory_provider.retrieve(user_id)
         | 
| 170 | 
            +
                                logger.info(
         | 
| 171 | 
            +
                                    f"Retrieved memory context length: {len(memory_context)}"
         | 
| 172 | 
            +
                                )
         | 
| 173 | 
            +
                            except Exception as e:
         | 
| 174 | 
            +
                                logger.error(f"Error retrieving memory context: {e}", exc_info=True)
         | 
| 124 175 |  | 
| 125 | 
            -
                        #  | 
| 176 | 
            +
                        # --- 5. Retrieve Relevant Knowledge ---
         | 
| 126 177 | 
             
                        kb_context = ""
         | 
| 127 178 | 
             
                        if self.knowledge_base:
         | 
| 128 179 | 
             
                            try:
         | 
| 180 | 
            +
                                # Use processed user_text for KB query
         | 
| 129 181 | 
             
                                kb_results = await self.knowledge_base.query(
         | 
| 130 182 | 
             
                                    query_text=user_text,
         | 
| 131 183 | 
             
                                    top_k=self.kb_results_count,
         | 
| 132 184 | 
             
                                    include_content=True,
         | 
| 133 | 
            -
                                    include_metadata=False,
         | 
| 185 | 
            +
                                    include_metadata=False,  # Keep metadata minimal for context
         | 
| 134 186 | 
             
                                )
         | 
| 135 187 |  | 
| 136 188 | 
             
                                if kb_results:
         | 
| @@ -138,36 +190,47 @@ class QueryService(QueryServiceInterface): | |
| 138 190 | 
             
                                    for i, result in enumerate(kb_results, 1):
         | 
| 139 191 | 
             
                                        content = result.get("content", "").strip()
         | 
| 140 192 | 
             
                                        kb_context += f"[{i}] {content}\n\n"
         | 
| 193 | 
            +
                                    logger.info(
         | 
| 194 | 
            +
                                        f"Retrieved {len(kb_results)} results from Knowledge Base."
         | 
| 195 | 
            +
                                    )
         | 
| 196 | 
            +
                                else:
         | 
| 197 | 
            +
                                    logger.info("No relevant results found in Knowledge Base.")
         | 
| 141 198 | 
             
                            except Exception as e:
         | 
| 142 | 
            -
                                 | 
| 199 | 
            +
                                logger.error(f"Error retrieving knowledge: {e}", exc_info=True)
         | 
| 143 200 |  | 
| 144 | 
            -
                        #  | 
| 145 | 
            -
                         | 
| 146 | 
            -
             | 
| 147 | 
            -
             | 
| 148 | 
            -
                             | 
| 201 | 
            +
                        # --- 6. Route Query ---
         | 
| 202 | 
            +
                        agent_name = "default"  # Fallback agent
         | 
| 203 | 
            +
                        try:
         | 
| 204 | 
            +
                            # Use processed user_text for routing
         | 
| 205 | 
            +
                            if router:
         | 
| 206 | 
            +
                                agent_name = await router.route_query(user_text)
         | 
| 207 | 
            +
                            else:
         | 
| 208 | 
            +
                                agent_name = await self.routing_service.route_query(user_text)
         | 
| 209 | 
            +
                            logger.info(f"Routed query to agent: {agent_name}")
         | 
| 210 | 
            +
                        except Exception as e:
         | 
| 211 | 
            +
                            logger.error(
         | 
| 212 | 
            +
                                f"Error during routing, falling back to default agent: {e}",
         | 
| 213 | 
            +
                                exc_info=True,
         | 
| 214 | 
            +
                            )
         | 
| 149 215 |  | 
| 150 | 
            -
                        #  | 
| 216 | 
            +
                        # --- 7. Combine Context ---
         | 
| 151 217 | 
             
                        combined_context = ""
         | 
| 152 218 | 
             
                        if memory_context:
         | 
| 153 | 
            -
                            # Add a note about memory priority
         | 
| 154 219 | 
             
                            combined_context += f"CONVERSATION HISTORY (Use for context, but prioritize tools/KB for facts):\n{memory_context}\n\n"
         | 
| 155 220 | 
             
                        if kb_context:
         | 
| 156 | 
            -
                            # Keep KB context strong
         | 
| 157 221 | 
             
                            combined_context += f"{kb_context}\n"
         | 
| 158 222 |  | 
| 159 | 
            -
                        # Add an overall instruction about prioritization if both are present
         | 
| 160 223 | 
             
                        if memory_context or kb_context:
         | 
| 161 224 | 
             
                            combined_context += "CRITICAL PRIORITIZATION GUIDE: For factual or current information, prioritize Knowledge Base results and Tool results (if applicable) over Conversation History.\n\n"
         | 
| 225 | 
            +
                        logger.debug(f"Combined context length: {len(combined_context)}")
         | 
| 162 226 |  | 
| 163 | 
            -
                         | 
| 164 | 
            -
             | 
| 165 | 
            -
                        # Generate response
         | 
| 227 | 
            +
                        # --- 8. Generate Response ---
         | 
| 228 | 
            +
                        # Pass the processed user_text to the agent service
         | 
| 166 229 | 
             
                        if output_format == "audio":
         | 
| 167 230 | 
             
                            async for audio_chunk in self.agent_service.generate_response(
         | 
| 168 231 | 
             
                                agent_name=agent_name,
         | 
| 169 232 | 
             
                                user_id=user_id,
         | 
| 170 | 
            -
                                query=user_text,
         | 
| 233 | 
            +
                                query=user_text,  # Pass processed text
         | 
| 171 234 | 
             
                                memory_context=combined_context,
         | 
| 172 235 | 
             
                                output_format="audio",
         | 
| 173 236 | 
             
                                audio_voice=audio_voice,
         | 
| @@ -177,6 +240,7 @@ class QueryService(QueryServiceInterface): | |
| 177 240 | 
             
                            ):
         | 
| 178 241 | 
             
                                yield audio_chunk
         | 
| 179 242 |  | 
| 243 | 
            +
                            # Store conversation using processed user_text
         | 
| 180 244 | 
             
                            if self.memory_provider:
         | 
| 181 245 | 
             
                                await self._store_conversation(
         | 
| 182 246 | 
             
                                    user_id=user_id,
         | 
| @@ -188,7 +252,7 @@ class QueryService(QueryServiceInterface): | |
| 188 252 | 
             
                            async for chunk in self.agent_service.generate_response(
         | 
| 189 253 | 
             
                                agent_name=agent_name,
         | 
| 190 254 | 
             
                                user_id=user_id,
         | 
| 191 | 
            -
                                query=user_text,
         | 
| 255 | 
            +
                                query=user_text,  # Pass processed text
         | 
| 192 256 | 
             
                                memory_context=combined_context,
         | 
| 193 257 | 
             
                                output_format="text",
         | 
| 194 258 | 
             
                                prompt=prompt,
         | 
| @@ -196,6 +260,7 @@ class QueryService(QueryServiceInterface): | |
| 196 260 | 
             
                                yield chunk
         | 
| 197 261 | 
             
                                full_text_response += chunk
         | 
| 198 262 |  | 
| 263 | 
            +
                            # Store conversation using processed user_text
         | 
| 199 264 | 
             
                            if self.memory_provider and full_text_response:
         | 
| 200 265 | 
             
                                await self._store_conversation(
         | 
| 201 266 | 
             
                                    user_id=user_id,
         | 
| @@ -204,22 +269,28 @@ class QueryService(QueryServiceInterface): | |
| 204 269 | 
             
                                )
         | 
| 205 270 |  | 
| 206 271 | 
             
                    except Exception as e:
         | 
| 207 | 
            -
                         | 
| 272 | 
            +
                        import traceback
         | 
| 273 | 
            +
             | 
| 274 | 
            +
                        error_msg = (
         | 
| 275 | 
            +
                            "I apologize for the technical difficulty. Please try again later."
         | 
| 276 | 
            +
                        )
         | 
| 277 | 
            +
                        logger.error(f"Error in query processing: {e}\n{traceback.format_exc()}")
         | 
| 278 | 
            +
             | 
| 208 279 | 
             
                        if output_format == "audio":
         | 
| 209 | 
            -
                             | 
| 210 | 
            -
                                 | 
| 211 | 
            -
             | 
| 212 | 
            -
             | 
| 213 | 
            -
             | 
| 214 | 
            -
                                 | 
| 280 | 
            +
                            try:
         | 
| 281 | 
            +
                                async for chunk in self.agent_service.llm_provider.tts(
         | 
| 282 | 
            +
                                    text=error_msg,
         | 
| 283 | 
            +
                                    voice=audio_voice,
         | 
| 284 | 
            +
                                    response_format=audio_output_format,
         | 
| 285 | 
            +
                                ):
         | 
| 286 | 
            +
                                    yield chunk
         | 
| 287 | 
            +
                            except Exception as tts_e:
         | 
| 288 | 
            +
                                logger.error(f"Error during TTS for error message: {tts_e}")
         | 
| 289 | 
            +
                                # Fallback to yielding text error if TTS fails
         | 
| 290 | 
            +
                                yield error_msg + f" (TTS Error: {tts_e})"
         | 
| 215 291 | 
             
                        else:
         | 
| 216 292 | 
             
                            yield error_msg
         | 
| 217 293 |  | 
| 218 | 
            -
                        print(f"Error in query processing: {str(e)}")
         | 
| 219 | 
            -
                        import traceback
         | 
| 220 | 
            -
             | 
| 221 | 
            -
                        print(traceback.format_exc())
         | 
| 222 | 
            -
             | 
| 223 294 | 
             
                async def delete_user_history(self, user_id: str) -> None:
         | 
| 224 295 | 
             
                    """Delete all conversation history for a user.
         | 
| 225 296 |  | 
| @@ -229,8 +300,15 @@ class QueryService(QueryServiceInterface): | |
| 229 300 | 
             
                    if self.memory_provider:
         | 
| 230 301 | 
             
                        try:
         | 
| 231 302 | 
             
                            await self.memory_provider.delete(user_id)
         | 
| 303 | 
            +
                            logger.info(f"Deleted conversation history for user: {user_id}")
         | 
| 232 304 | 
             
                        except Exception as e:
         | 
| 233 | 
            -
                             | 
| 305 | 
            +
                            logger.error(
         | 
| 306 | 
            +
                                f"Error deleting user history for {user_id}: {e}", exc_info=True
         | 
| 307 | 
            +
                            )
         | 
| 308 | 
            +
                    else:
         | 
| 309 | 
            +
                        logger.warning(
         | 
| 310 | 
            +
                            "Attempted to delete user history, but no memory provider is configured."
         | 
| 311 | 
            +
                        )
         | 
| 234 312 |  | 
| 235 313 | 
             
                async def get_user_history(
         | 
| 236 314 | 
             
                    self,
         | 
| @@ -248,17 +326,12 @@ class QueryService(QueryServiceInterface): | |
| 248 326 | 
             
                        sort_order: Sort order ("asc" or "desc")
         | 
| 249 327 |  | 
| 250 328 | 
             
                    Returns:
         | 
| 251 | 
            -
                        Dictionary with paginated results and metadata | 
| 252 | 
            -
                        {
         | 
| 253 | 
            -
                            "data": List of conversation entries,
         | 
| 254 | 
            -
                            "total": Total number of entries,
         | 
| 255 | 
            -
                            "page": Current page number,
         | 
| 256 | 
            -
                            "page_size": Number of items per page,
         | 
| 257 | 
            -
                            "total_pages": Total number of pages,
         | 
| 258 | 
            -
                            "error": Error message if any
         | 
| 259 | 
            -
                        }
         | 
| 329 | 
            +
                        Dictionary with paginated results and metadata.
         | 
| 260 330 | 
             
                    """
         | 
| 261 331 | 
             
                    if not self.memory_provider:
         | 
| 332 | 
            +
                        logger.warning(
         | 
| 333 | 
            +
                            "Attempted to get user history, but no memory provider is configured."
         | 
| 334 | 
            +
                        )
         | 
| 262 335 | 
             
                        return {
         | 
| 263 336 | 
             
                            "data": [],
         | 
| 264 337 | 
             
                            "total": 0,
         | 
| @@ -278,7 +351,7 @@ class QueryService(QueryServiceInterface): | |
| 278 351 | 
             
                        )
         | 
| 279 352 |  | 
| 280 353 | 
             
                        # Calculate total pages
         | 
| 281 | 
            -
                        total_pages = (total + page_size - 1) // page_size
         | 
| 354 | 
            +
                        total_pages = (total + page_size - 1) // page_size if total > 0 else 0
         | 
| 282 355 |  | 
| 283 356 | 
             
                        # Get paginated results
         | 
| 284 357 | 
             
                        conversations = self.memory_provider.find(
         | 
| @@ -292,13 +365,11 @@ class QueryService(QueryServiceInterface): | |
| 292 365 | 
             
                        # Format the results
         | 
| 293 366 | 
             
                        formatted_conversations = []
         | 
| 294 367 | 
             
                        for conv in conversations:
         | 
| 295 | 
            -
                            # Convert datetime to Unix timestamp (seconds since epoch)
         | 
| 296 368 | 
             
                            timestamp = (
         | 
| 297 369 | 
             
                                int(conv.get("timestamp").timestamp())
         | 
| 298 370 | 
             
                                if conv.get("timestamp")
         | 
| 299 371 | 
             
                                else None
         | 
| 300 372 | 
             
                            )
         | 
| 301 | 
            -
             | 
| 302 373 | 
             
                            formatted_conversations.append(
         | 
| 303 374 | 
             
                                {
         | 
| 304 375 | 
             
                                    "id": str(conv.get("_id")),
         | 
| @@ -308,6 +379,9 @@ class QueryService(QueryServiceInterface): | |
| 308 379 | 
             
                                }
         | 
| 309 380 | 
             
                            )
         | 
| 310 381 |  | 
| 382 | 
            +
                        logger.info(
         | 
| 383 | 
            +
                            f"Retrieved page {page_num}/{total_pages} of history for user {user_id}"
         | 
| 384 | 
            +
                        )
         | 
| 311 385 | 
             
                        return {
         | 
| 312 386 | 
             
                            "data": formatted_conversations,
         | 
| 313 387 | 
             
                            "total": total,
         | 
| @@ -318,10 +392,11 @@ class QueryService(QueryServiceInterface): | |
| 318 392 | 
             
                        }
         | 
| 319 393 |  | 
| 320 394 | 
             
                    except Exception as e:
         | 
| 321 | 
            -
                        print(f"Error retrieving user history: {str(e)}")
         | 
| 322 395 | 
             
                        import traceback
         | 
| 323 396 |  | 
| 324 | 
            -
                         | 
| 397 | 
            +
                        logger.error(
         | 
| 398 | 
            +
                            f"Error retrieving user history for {user_id}: {e}\n{traceback.format_exc()}"
         | 
| 399 | 
            +
                        )
         | 
| 325 400 | 
             
                        return {
         | 
| 326 401 | 
             
                            "data": [],
         | 
| 327 402 | 
             
                            "total": 0,
         | 
| @@ -338,8 +413,8 @@ class QueryService(QueryServiceInterface): | |
| 338 413 |  | 
| 339 414 | 
             
                    Args:
         | 
| 340 415 | 
             
                        user_id: User ID
         | 
| 341 | 
            -
                        user_message: User message
         | 
| 342 | 
            -
                        assistant_message: Assistant message
         | 
| 416 | 
            +
                        user_message: User message (potentially processed by input guardrails)
         | 
| 417 | 
            +
                        assistant_message: Assistant message (potentially processed by output guardrails)
         | 
| 343 418 | 
             
                    """
         | 
| 344 419 | 
             
                    if self.memory_provider:
         | 
| 345 420 | 
             
                        try:
         | 
| @@ -350,5 +425,12 @@ class QueryService(QueryServiceInterface): | |
| 350 425 | 
             
                                    {"role": "assistant", "content": assistant_message},
         | 
| 351 426 | 
             
                                ],
         | 
| 352 427 | 
             
                            )
         | 
| 428 | 
            +
                            logger.info(f"Stored conversation for user {user_id}")
         | 
| 353 429 | 
             
                        except Exception as e:
         | 
| 354 | 
            -
                             | 
| 430 | 
            +
                            logger.error(
         | 
| 431 | 
            +
                                f"Error storing conversation for user {user_id}: {e}", exc_info=True
         | 
| 432 | 
            +
                            )
         | 
| 433 | 
            +
                    else:
         | 
| 434 | 
            +
                        logger.debug(
         | 
| 435 | 
            +
                            "Memory provider not configured, skipping conversation storage."
         | 
| 436 | 
            +
                        )
         | 
| @@ -1,6 +1,6 @@ | |
| 1 1 | 
             
            Metadata-Version: 2.3
         | 
| 2 2 | 
             
            Name: solana-agent
         | 
| 3 | 
            -
            Version:  | 
| 3 | 
            +
            Version: 28.0.0
         | 
| 4 4 | 
             
            Summary: AI Agents for Solana
         | 
| 5 5 | 
             
            License: MIT
         | 
| 6 6 | 
             
            Keywords: solana,solana ai,solana agent,ai,ai agent,ai agents
         | 
| @@ -22,6 +22,7 @@ Requires-Dist: pinecone (>=6.0.2,<7.0.0) | |
| 22 22 | 
             
            Requires-Dist: pydantic (>=2)
         | 
| 23 23 | 
             
            Requires-Dist: pymongo (>=4.12.0,<5.0.0)
         | 
| 24 24 | 
             
            Requires-Dist: pypdf (>=5.4.0,<6.0.0)
         | 
| 25 | 
            +
            Requires-Dist: scrubadub (>=2.0.1,<3.0.0)
         | 
| 25 26 | 
             
            Requires-Dist: zep-cloud (>=2.10.1,<3.0.0)
         | 
| 26 27 | 
             
            Project-URL: Documentation, https://docs.solana-agent.com
         | 
| 27 28 | 
             
            Project-URL: Homepage, https://solana-agent.com
         | 
| @@ -58,11 +59,13 @@ Build your AI agents in three lines of code! | |
| 58 59 | 
             
            * Intelligent Routing
         | 
| 59 60 | 
             
            * Business Alignment
         | 
| 60 61 | 
             
            * Extensible Tooling
         | 
| 62 | 
            +
            * Automatic Tool Workflows
         | 
| 61 63 | 
             
            * Knowledge Base
         | 
| 62 64 | 
             
            * MCP Support
         | 
| 65 | 
            +
            * Guardrails
         | 
| 63 66 | 
             
            * Tested & Secure
         | 
| 64 67 | 
             
            * Built in Python
         | 
| 65 | 
            -
            * Powers [CometHeart](https://cometheart.com) | 
| 68 | 
            +
            * Powers [CometHeart](https://cometheart.com)
         | 
| 66 69 |  | 
| 67 70 | 
             
            ## Features
         | 
| 68 71 |  | 
| @@ -81,26 +84,26 @@ Build your AI agents in three lines of code! | |
| 81 84 | 
             
            * Powerful tool integration using standard Python packages and/or inline tools
         | 
| 82 85 | 
             
            * Assigned tools are utilized by agents automatically and effectively
         | 
| 83 86 | 
             
            * Integrated Knowledge Base with semantic search and automatic PDF chunking
         | 
| 87 | 
            +
            * Input and output guardrails for content filtering, safety, and data sanitization
         | 
| 88 | 
            +
            * Automatic sequential tool workflows allowing agents to chain multiple tools
         | 
| 84 89 |  | 
| 85 90 | 
             
            ## Stack
         | 
| 86 91 |  | 
| 87 92 | 
             
            ### Tech
         | 
| 88 93 |  | 
| 89 94 | 
             
            * [Python](https://python.org) - Programming Language
         | 
| 90 | 
            -
            * [OpenAI](https://openai.com) | 
| 95 | 
            +
            * [OpenAI](https://openai.com) - AI Provider
         | 
| 91 96 | 
             
            * [MongoDB](https://mongodb.com) - Conversational History (optional)
         | 
| 92 97 | 
             
            * [Zep Cloud](https://getzep.com) - Conversational Memory (optional)
         | 
| 93 98 | 
             
            * [Pinecone](https://pinecone.io) - Knowledge Base (optional)
         | 
| 94 99 |  | 
| 95 | 
            -
            ###  | 
| 100 | 
            +
            ### AI Models Used
         | 
| 96 101 |  | 
| 97 | 
            -
            * [gpt-4.1 | 
| 102 | 
            +
            * [gpt-4.1](https://platform.openai.com/docs/models/gpt-4.1) (agent)
         | 
| 98 103 | 
             
            * [gpt-4.1-nano](https://platform.openai.com/docs/models/gpt-4.1-nano) (router)
         | 
| 99 104 | 
             
            * [text-embedding-3-large](https://platform.openai.com/docs/models/text-embedding-3-large) or [text-embedding-3-small](https://platform.openai.com/docs/models/text-embedding-3-small) (embedding)
         | 
| 100 105 | 
             
            * [tts-1](https://platform.openai.com/docs/models/tts-1) (audio TTS)
         | 
| 101 106 | 
             
            * [gpt-4o-mini-transcribe](https://platform.openai.com/docs/models/gpt-4o-mini-transcribe) (audio transcription)
         | 
| 102 | 
            -
            * [gemini-2.5-flash-preview](https://ai.google.dev/gemini-api/docs/models#gemini-2.5-flash-preview) (optional)
         | 
| 103 | 
            -
            * [grok-3-mini-fast-beta](https://docs.x.ai/docs/models#models-and-pricing) (optional)
         | 
| 104 107 |  | 
| 105 108 | 
             
            ## Installation
         | 
| 106 109 |  | 
| @@ -110,13 +113,13 @@ You can install Solana Agent using pip: | |
| 110 113 |  | 
| 111 114 | 
             
            ## Flows
         | 
| 112 115 |  | 
| 113 | 
            -
            In both flows of single and multiple agents - it is one user query to one agent using one  | 
| 116 | 
            +
            In both flows of single and multiple agents - it is one user query to one agent using one or many tools (if needed).
         | 
| 114 117 |  | 
| 115 | 
            -
            An agent can have multiple tools and will choose the best  | 
| 118 | 
            +
            An agent can have multiple tools and will choose the best ones to fulfill the user's query.
         | 
| 116 119 |  | 
| 117 | 
            -
            Routing is determined by optimal domain expertise of the agent for the user query.
         | 
| 120 | 
            +
            Routing is determined by optimal domain expertise of the agent for the user's query.
         | 
| 118 121 |  | 
| 119 | 
            -
            When the agent uses  | 
| 122 | 
            +
            When the agent uses tools it feeds the tools output back to itself to generate the final response.
         | 
| 120 123 |  | 
| 121 124 | 
             
            This is important as tools generally output unstructured and unformatted data that the agent needs to prepare for the user.
         | 
| 122 125 |  | 
| @@ -125,13 +128,13 @@ Keep this in mind while designing your agentic systems using Solana Agent. | |
| 125 128 | 
             
            ```ascii
         | 
| 126 129 | 
             
                                   Single Agent                                     
         | 
| 127 130 |  | 
| 128 | 
            -
                 ┌────────┐        ┌─────────┐         | 
| 129 | 
            -
                 │        │        │         │        │ | 
| 130 | 
            -
                 │        │        │         │        │ | 
| 131 | 
            -
                 │  User  │◄──────►│  Agent  │◄──────►│   | 
| 132 | 
            -
                 │        │        │         │        │ | 
| 133 | 
            -
                 │        │        │         │        │ | 
| 134 | 
            -
                 └────────┘        └─────────┘         | 
| 131 | 
            +
                 ┌────────┐        ┌─────────┐        ┌────────-┐                    
         | 
| 132 | 
            +
                 │        │        │         │        │         │                    
         | 
| 133 | 
            +
                 │        │        │         │        │         │                    
         | 
| 134 | 
            +
                 │  User  │◄──────►│  Agent  │◄──────►│  Tools  │                    
         | 
| 135 | 
            +
                 │        │        │         │        │         │                    
         | 
| 136 | 
            +
                 │        │        │         │        │         │                    
         | 
| 137 | 
            +
                 └────────┘        └─────────┘        └────────-┘                    
         | 
| 135 138 |  | 
| 136 139 |  | 
| 137 140 |  | 
| @@ -139,13 +142,13 @@ Keep this in mind while designing your agentic systems using Solana Agent. | |
| 139 142 |  | 
| 140 143 | 
             
                                  Multiple Agents                                   
         | 
| 141 144 |  | 
| 142 | 
            -
                 ┌────────┐        ┌──────────┐        ┌─────────┐         | 
| 143 | 
            -
                 │        │        │          │        │         │        │ | 
| 144 | 
            -
                 │        │        │          │        │         │        │ | 
| 145 | 
            -
            ┌───►│  User  ├───────►│  Router  ├───────►│  Agent  │◄──────►│   | 
| 146 | 
            -
            │    │        │        │          │        │         │        │ | 
| 147 | 
            -
            │    │        │        │          │        │         │        │ | 
| 148 | 
            -
            │    └────────┘        └──────────┘        └────┬────┘         | 
| 145 | 
            +
                 ┌────────┐        ┌──────────┐        ┌─────────┐        ┌────────-┐
         | 
| 146 | 
            +
                 │        │        │          │        │         │        │         │
         | 
| 147 | 
            +
                 │        │        │          │        │         │        │         │
         | 
| 148 | 
            +
            ┌───►│  User  ├───────►│  Router  ├───────►│  Agent  │◄──────►│  Tools  │
         | 
| 149 | 
            +
            │    │        │        │          │        │         │        │         │
         | 
| 150 | 
            +
            │    │        │        │          │        │         │        │         │
         | 
| 151 | 
            +
            │    └────────┘        └──────────┘        └────┬────┘        └────────-┘
         | 
| 149 152 | 
             
            │                                               │                       
         | 
| 150 153 | 
             
            │                                               │                       
         | 
| 151 154 | 
             
            │                                               │                       
         | 
| @@ -316,30 +319,6 @@ config = { | |
| 316 319 | 
             
            }
         | 
| 317 320 | 
             
            ```
         | 
| 318 321 |  | 
| 319 | 
            -
            ### Gemini
         | 
| 320 | 
            -
             | 
| 321 | 
            -
            This allows Gemini to replace OpenAI for agent and router.
         | 
| 322 | 
            -
             | 
| 323 | 
            -
            ```python
         | 
| 324 | 
            -
            config = {
         | 
| 325 | 
            -
                "gemini": {
         | 
| 326 | 
            -
                    "api_key": "your-gemini-api-key",
         | 
| 327 | 
            -
                },
         | 
| 328 | 
            -
            }
         | 
| 329 | 
            -
            ```
         | 
| 330 | 
            -
             | 
| 331 | 
            -
            ### Grok
         | 
| 332 | 
            -
             | 
| 333 | 
            -
            This allows Grok to replace OpenAI (or Gemini) for agent.
         | 
| 334 | 
            -
             | 
| 335 | 
            -
            ```python
         | 
| 336 | 
            -
            config = {
         | 
| 337 | 
            -
                "grok": {
         | 
| 338 | 
            -
                    "api_key": "your-grok-api-key",
         | 
| 339 | 
            -
                },
         | 
| 340 | 
            -
            }
         | 
| 341 | 
            -
            ```
         | 
| 342 | 
            -
             | 
| 343 322 | 
             
            ### Knowledge Base
         | 
| 344 323 |  | 
| 345 324 | 
             
            The Knowledge Base (KB) is meant to store text values and/or small PDFs.
         | 
| @@ -448,12 +427,90 @@ async for response in solana_agent.process("user123", "Summarize the annual repo | |
| 448 427 | 
             
                print(response, end="")
         | 
| 449 428 | 
             
            ```
         | 
| 450 429 |  | 
| 430 | 
            +
            ### Guardrails
         | 
| 431 | 
            +
             | 
| 432 | 
            +
            Guardrails allow you to process and potentially modify user input before it reaches the agent (Input Guardrails) and agent output before it's sent back to the user (Output Guardrails). This is useful for implementing safety checks, content moderation, data sanitization, or custom transformations.
         | 
| 433 | 
            +
             | 
| 434 | 
            +
            Solana Agent provides a built-in PII scrubber based on [scrubadub](https://github.com/LeapBeyond/scrubadub).
         | 
| 435 | 
            +
             | 
| 436 | 
            +
            ```python
         | 
| 437 | 
            +
            from solana_agent import SolanaAgent
         | 
| 438 | 
            +
             | 
| 439 | 
            +
            config = {
         | 
| 440 | 
            +
                "guardrails": {
         | 
| 441 | 
            +
                    "input": [
         | 
| 442 | 
            +
                        # Example using a custom input guardrail
         | 
| 443 | 
            +
                        {
         | 
| 444 | 
            +
                            "class": "MyInputGuardrail",
         | 
| 445 | 
            +
                            "config": {"setting1": "value1"}
         | 
| 446 | 
            +
                        },
         | 
| 447 | 
            +
                        # Example using the built-in PII guardrail for input
         | 
| 448 | 
            +
                        {
         | 
| 449 | 
            +
                            "class": "solana_agent.guardrails.pii.PII",
         | 
| 450 | 
            +
                            "config": {
         | 
| 451 | 
            +
                                "locale": "en_GB", # Optional: Specify locale (default: en_US)
         | 
| 452 | 
            +
                                "replacement": "[REDACTED]" # Optional: Custom replacement format
         | 
| 453 | 
            +
                            }
         | 
| 454 | 
            +
                        }
         | 
| 455 | 
            +
                    ],
         | 
| 456 | 
            +
                    "output": [
         | 
| 457 | 
            +
                        # Example using a custom output guardrail
         | 
| 458 | 
            +
                        {
         | 
| 459 | 
            +
                            "class": "MyOutputGuardrail",
         | 
| 460 | 
            +
                            "config": {"filter_level": "high"}
         | 
| 461 | 
            +
                        },
         | 
| 462 | 
            +
                        # Example using the built-in PII guardrail for output (with defaults)
         | 
| 463 | 
            +
                        {
         | 
| 464 | 
            +
                            "class": "solana_agent.guardrails.pii.PII"
         | 
| 465 | 
            +
                            # No config needed to use defaults
         | 
| 466 | 
            +
                        }
         | 
| 467 | 
            +
                    ]
         | 
| 468 | 
            +
                },
         | 
| 469 | 
            +
            }
         | 
| 470 | 
            +
            ```
         | 
| 471 | 
            +
             | 
| 472 | 
            +
            #### Example Custom Guardrails
         | 
| 473 | 
            +
             | 
| 474 | 
            +
            ```python
         | 
| 475 | 
            +
            from solana_agent import InputGuardrail, OutputGuardrail
         | 
| 476 | 
            +
            import logging
         | 
| 477 | 
            +
             | 
| 478 | 
            +
            logger = logging.getLogger(__name__)
         | 
| 479 | 
            +
             | 
| 480 | 
            +
            class MyInputGuardrail(InputGuardrail):
         | 
| 481 | 
            +
                def __init__(self, config=None):
         | 
| 482 | 
            +
                    super().__init__(config)
         | 
| 483 | 
            +
                    self.setting1 = self.config.get("setting1", "default_value")
         | 
| 484 | 
            +
                    logger.info(f"MyInputGuardrail initialized with setting1: {self.setting1}")
         | 
| 485 | 
            +
             | 
| 486 | 
            +
                async def process(self, text: str) -> str:
         | 
| 487 | 
            +
                    # Example: Convert input to lowercase
         | 
| 488 | 
            +
                    processed_text = text.lower()
         | 
| 489 | 
            +
                    logger.debug(f"Input Guardrail processed: {text} -> {processed_text}")
         | 
| 490 | 
            +
                    return processed_text
         | 
| 491 | 
            +
             | 
| 492 | 
            +
            class MyOutputGuardrail(OutputGuardrail):
         | 
| 493 | 
            +
                def __init__(self, config=None):
         | 
| 494 | 
            +
                    super().__init__(config)
         | 
| 495 | 
            +
                    self.filter_level = self.config.get("filter_level", "low")
         | 
| 496 | 
            +
                    logger.info(f"MyOutputGuardrail initialized with filter_level: {self.filter_level}")
         | 
| 497 | 
            +
             | 
| 498 | 
            +
                async def process(self, text: str) -> str:
         | 
| 499 | 
            +
                    # Example: Basic profanity filtering (replace with a real library)
         | 
| 500 | 
            +
                    if self.filter_level == "high" and "badword" in text:
         | 
| 501 | 
            +
                         processed_text = text.replace("badword", "*******")
         | 
| 502 | 
            +
                         logger.warning(f"Output Guardrail filtered content.")
         | 
| 503 | 
            +
                         return processed_text
         | 
| 504 | 
            +
                    logger.debug("Output Guardrail passed text through.")
         | 
| 505 | 
            +
                    return text
         | 
| 506 | 
            +
            ```
         | 
| 507 | 
            +
             | 
| 451 508 | 
             
            ## Tools
         | 
| 452 509 |  | 
| 453 510 | 
             
            Tools can be used from plugins like Solana Agent Kit (sakit) or via inline tools. Tools available via plugins integrate automatically with Solana Agent.
         | 
| 454 511 |  | 
| 455 | 
            -
            * Agents can  | 
| 456 | 
            -
            * Agents choose the best  | 
| 512 | 
            +
            * Agents can use multiple tools per response and should apply the right sequential order (like send an email to bob@bob.com with the latest news on Solana)
         | 
| 513 | 
            +
            * Agents choose the best tools for the job
         | 
| 457 514 | 
             
            * Solana Agent doesn't use OpenAI function calling (tools) as they don't support async functions
         | 
| 458 515 | 
             
            * Solana Agent tools are async functions
         | 
| 459 516 |  | 
| @@ -528,7 +585,6 @@ Other MCP servers may work but are not supported. | |
| 528 585 | 
             
            `pip install sakit`
         | 
| 529 586 |  | 
| 530 587 | 
             
            ```python
         | 
| 531 | 
            -
             | 
| 532 588 | 
             
            from solana_agent import SolanaAgent
         | 
| 533 589 |  | 
| 534 590 | 
             
            config = {
         |