mirror of
https://github.com/crewAIInc/crewAI.git
synced 2026-01-08 23:58:34 +00:00
Some checks failed
Notify Downstream / notify-downstream (push) Has been cancelled
* feat: implement tool usage limit exception handling - Introduced `ToolUsageLimitExceeded` exception to manage maximum usage limits for tools. - Enhanced `CrewStructuredTool` to check and raise this exception when the usage limit is reached. - Updated `_run` and `_execute` methods to include usage limit checks and handle exceptions appropriately, improving reliability and user feedback. * feat: enhance PlusAPI and ToolUsage with task metadata - Removed the `send_trace_batch` method from PlusAPI to streamline the API. - Added timeout parameters to trace event methods in PlusAPI for improved reliability. - Updated ToolUsage to include task metadata (task name and ID) in event emissions, enhancing traceability and context during tool usage. - Refactored event handling in LLM and ToolUsage events to ensure task information is consistently captured. * feat: enhance memory and event handling with task and agent metadata - Added task and agent metadata to various memory and event classes, improving traceability and context during memory operations. - Updated the `ContextualMemory` and `Memory` classes to associate tasks and agents, allowing for better context management. - Enhanced event emissions in `LLM`, `ToolUsage`, and memory events to include task and agent information, facilitating improved debugging and monitoring. - Refactored event handling to ensure consistent capture of task and agent details across the system. * drop * refactor: clean up unused imports in memory and event modules - Removed unused TYPE_CHECKING imports from long_term_memory.py to streamline the code. - Eliminated unnecessary import from memory_events.py, enhancing clarity and maintainability. * fix memory tests * fix task_completed payload * fix: remove unused test agent variable in external memory tests * refactor: remove unused agent parameter from Memory class save method - Eliminated the agent parameter from the save method in the Memory class to streamline the code and improve clarity. - Updated the TraceBatchManager class by moving initialization of attributes into the constructor for better organization and readability. * refactor: enhance ExecutionState and ReasoningEvent classes with optional task and agent identifiers - Added optional `current_agent_id` and `current_task_id` attributes to the `ExecutionState` class for better tracking of agent and task states. - Updated the `from_task` attribute in the `ReasoningEvent` class to use `Optional[Any]` instead of a specific type, improving flexibility in event handling. * refactor: update ExecutionState class by removing unused agent and task identifiers - Removed the `current_agent_id` and `current_task_id` attributes from the `ExecutionState` class to simplify the code and enhance clarity. - Adjusted the import statements to include `Optional` for better type handling. * refactor: streamline LLM event handling in LiteAgent - Removed unused LLM event emissions (LLMCallStartedEvent, LLMCallCompletedEvent, LLMCallFailedEvent) from the LiteAgent class to simplify the code and improve performance. - Adjusted the flow of LLM response handling by eliminating unnecessary event bus interactions, enhancing clarity and maintainability. * flow ownership and not emitting events when a crew is done * refactor: remove unused agent parameter from ShortTermMemory save method - Eliminated the agent parameter from the save method in the ShortTermMemory class to streamline the code and improve clarity. - This change enhances the maintainability of the memory management system by reducing unnecessary complexity. * runtype check fix * fixing tests * fix lints * fix: update event assertions in test_llm_emits_event_with_lite_agent - Adjusted the expected counts for completed and started events in the test to reflect the correct behavior of the LiteAgent. - Updated assertions for agent roles and IDs to match the expected values after recent changes in event handling. * fix: update task name assertions in event tests - Modified assertions in `test_stream_llm_emits_event_with_task_and_agent_info` and `test_llm_emits_event_with_task_and_agent_info` to use `task.description` as a fallback for `task.name`. This ensures that the tests correctly validate the task name even when it is not explicitly set. * fix: update test assertions for output values and improve readability - Updated assertions in `test_output_json_dict_hierarchical` to reflect the correct expected score value. - Enhanced readability of assertions in `test_output_pydantic_to_another_task` and `test_key` by formatting the error messages for clarity. - These changes ensure that the tests accurately validate the expected outputs and improve overall code quality. * test fixes * fix crew_test * added another fixture * fix: ensure agent and task assignments in contextual memory are conditional - Updated the ContextualMemory class to check for the existence of short-term, long-term, external, and extended memory before assigning agent and task attributes. This prevents potential attribute errors when memory types are not initialized.
165 lines
5.1 KiB
Python
165 lines
5.1 KiB
Python
from typing import TYPE_CHECKING, Any, Dict, Optional
|
|
import time
|
|
|
|
from crewai.memory.external.external_memory_item import ExternalMemoryItem
|
|
from crewai.memory.memory import Memory
|
|
from crewai.memory.storage.interface import Storage
|
|
from crewai.utilities.events.crewai_event_bus import crewai_event_bus
|
|
from crewai.utilities.events.memory_events import (
|
|
MemoryQueryStartedEvent,
|
|
MemoryQueryCompletedEvent,
|
|
MemoryQueryFailedEvent,
|
|
MemorySaveStartedEvent,
|
|
MemorySaveCompletedEvent,
|
|
MemorySaveFailedEvent,
|
|
)
|
|
|
|
if TYPE_CHECKING:
|
|
from crewai.memory.storage.mem0_storage import Mem0Storage
|
|
|
|
|
|
class ExternalMemory(Memory):
|
|
def __init__(self, storage: Optional[Storage] = None, **data: Any):
|
|
super().__init__(storage=storage, **data)
|
|
|
|
@staticmethod
|
|
def _configure_mem0(crew: Any, config: Dict[str, Any]) -> "Mem0Storage":
|
|
from crewai.memory.storage.mem0_storage import Mem0Storage
|
|
|
|
return Mem0Storage(type="external", crew=crew, config=config)
|
|
|
|
@staticmethod
|
|
def external_supported_storages() -> Dict[str, Any]:
|
|
return {
|
|
"mem0": ExternalMemory._configure_mem0,
|
|
}
|
|
|
|
@staticmethod
|
|
def create_storage(crew: Any, embedder_config: Optional[Dict[str, Any]]) -> Storage:
|
|
if not embedder_config:
|
|
raise ValueError("embedder_config is required")
|
|
|
|
if "provider" not in embedder_config:
|
|
raise ValueError("embedder_config must include a 'provider' key")
|
|
|
|
provider = embedder_config["provider"]
|
|
supported_storages = ExternalMemory.external_supported_storages()
|
|
if provider not in supported_storages:
|
|
raise ValueError(f"Provider {provider} not supported")
|
|
|
|
return supported_storages[provider](crew, embedder_config.get("config", {}))
|
|
|
|
def save(
|
|
self,
|
|
value: Any,
|
|
metadata: Optional[Dict[str, Any]] = None,
|
|
) -> None:
|
|
"""Saves a value into the external storage."""
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemorySaveStartedEvent(
|
|
value=value,
|
|
metadata=metadata,
|
|
source_type="external_memory",
|
|
from_agent=self.agent,
|
|
from_task=self.task,
|
|
),
|
|
)
|
|
|
|
start_time = time.time()
|
|
try:
|
|
item = ExternalMemoryItem(
|
|
value=value,
|
|
metadata=metadata,
|
|
agent=self.agent.role if self.agent else None,
|
|
)
|
|
super().save(value=item.value, metadata=item.metadata)
|
|
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemorySaveCompletedEvent(
|
|
value=value,
|
|
metadata=metadata,
|
|
save_time_ms=(time.time() - start_time) * 1000,
|
|
source_type="external_memory",
|
|
from_agent=self.agent,
|
|
from_task=self.task,
|
|
),
|
|
)
|
|
except Exception as e:
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemorySaveFailedEvent(
|
|
value=value,
|
|
metadata=metadata,
|
|
error=str(e),
|
|
source_type="external_memory",
|
|
from_agent=self.agent,
|
|
from_task=self.task,
|
|
),
|
|
)
|
|
raise
|
|
|
|
def search(
|
|
self,
|
|
query: str,
|
|
limit: int = 3,
|
|
score_threshold: float = 0.35,
|
|
):
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemoryQueryStartedEvent(
|
|
query=query,
|
|
limit=limit,
|
|
score_threshold=score_threshold,
|
|
source_type="external_memory",
|
|
from_agent=self.agent,
|
|
from_task=self.task,
|
|
),
|
|
)
|
|
|
|
start_time = time.time()
|
|
try:
|
|
results = super().search(
|
|
query=query, limit=limit, score_threshold=score_threshold
|
|
)
|
|
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemoryQueryCompletedEvent(
|
|
query=query,
|
|
results=results,
|
|
limit=limit,
|
|
score_threshold=score_threshold,
|
|
query_time_ms=(time.time() - start_time) * 1000,
|
|
source_type="external_memory",
|
|
from_agent=self.agent,
|
|
from_task=self.task,
|
|
),
|
|
)
|
|
|
|
return results
|
|
except Exception as e:
|
|
crewai_event_bus.emit(
|
|
self,
|
|
event=MemoryQueryFailedEvent(
|
|
query=query,
|
|
limit=limit,
|
|
score_threshold=score_threshold,
|
|
error=str(e),
|
|
source_type="external_memory",
|
|
),
|
|
)
|
|
raise
|
|
|
|
def reset(self) -> None:
|
|
self.storage.reset()
|
|
|
|
def set_crew(self, crew: Any) -> "ExternalMemory":
|
|
super().set_crew(crew)
|
|
|
|
if not self.storage:
|
|
self.storage = self.create_storage(crew, self.embedder_config)
|
|
|
|
return self
|