mirror of
https://github.com/crewAIInc/crewAI.git
synced 2026-01-27 17:18:13 +00:00
Compare commits
3 Commits
devin/1769
...
devin/1748
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
6fe02e12db | ||
|
|
b262f05c97 | ||
|
|
0e963b6de1 |
@@ -200,6 +200,10 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
default_factory=list,
|
default_factory=list,
|
||||||
description="List of callbacks to be executed after crew kickoff. It may be used to adjust the output of the crew.",
|
description="List of callbacks to be executed after crew kickoff. It may be used to adjust the output of the crew.",
|
||||||
)
|
)
|
||||||
|
task_selector: Optional[Callable[[Dict[str, Any], Task], bool]] = Field(
|
||||||
|
default=None,
|
||||||
|
description="Function to determine which tasks should execute based on inputs and task properties.",
|
||||||
|
)
|
||||||
max_rpm: Optional[int] = Field(
|
max_rpm: Optional[int] = Field(
|
||||||
default=None,
|
default=None,
|
||||||
description="Maximum number of requests per minute for the crew execution to be respected.",
|
description="Maximum number of requests per minute for the crew execution to be respected.",
|
||||||
@@ -504,6 +508,17 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
)
|
)
|
||||||
return self
|
return self
|
||||||
|
|
||||||
|
@model_validator(mode="after")
|
||||||
|
def validate_selective_process_requirements(self) -> "Crew":
|
||||||
|
"""Ensure selective process has required task_selector."""
|
||||||
|
if self.process == Process.selective and not self.task_selector:
|
||||||
|
raise PydanticCustomError(
|
||||||
|
"missing_task_selector",
|
||||||
|
"Selective process requires a task_selector to be defined.",
|
||||||
|
{},
|
||||||
|
)
|
||||||
|
return self
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def key(self) -> str:
|
def key(self) -> str:
|
||||||
source: List[str] = [agent.key for agent in self.agents] + [
|
source: List[str] = [agent.key for agent in self.agents] + [
|
||||||
@@ -661,6 +676,8 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
result = self._run_sequential_process()
|
result = self._run_sequential_process()
|
||||||
elif self.process == Process.hierarchical:
|
elif self.process == Process.hierarchical:
|
||||||
result = self._run_hierarchical_process()
|
result = self._run_hierarchical_process()
|
||||||
|
elif self.process == Process.selective:
|
||||||
|
result = self._run_selective_process()
|
||||||
else:
|
else:
|
||||||
raise NotImplementedError(
|
raise NotImplementedError(
|
||||||
f"The process '{self.process}' is not implemented yet."
|
f"The process '{self.process}' is not implemented yet."
|
||||||
@@ -777,6 +794,12 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
self._create_manager_agent()
|
self._create_manager_agent()
|
||||||
return self._execute_tasks(self.tasks)
|
return self._execute_tasks(self.tasks)
|
||||||
|
|
||||||
|
def _run_selective_process(self) -> CrewOutput:
|
||||||
|
"""Executes tasks selectively based on task_selector and returns the final output."""
|
||||||
|
if not self.task_selector:
|
||||||
|
raise ValueError("Selective process requires a task_selector to be defined.")
|
||||||
|
return self._execute_tasks(self.tasks)
|
||||||
|
|
||||||
def _create_manager_agent(self):
|
def _create_manager_agent(self):
|
||||||
i18n = I18N(prompt_file=self.prompt_file)
|
i18n = I18N(prompt_file=self.prompt_file)
|
||||||
if self.manager_agent is not None:
|
if self.manager_agent is not None:
|
||||||
@@ -812,12 +835,27 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
|
|
||||||
Args:
|
Args:
|
||||||
tasks (List[Task]): List of tasks to execute
|
tasks (List[Task]): List of tasks to execute
|
||||||
manager (Optional[BaseAgent], optional): Manager agent to use for delegation. Defaults to None.
|
start_index (Optional[int], optional): Starting index for task execution. Defaults to 0.
|
||||||
|
was_replayed (bool, optional): Whether this is a replayed execution. Defaults to False.
|
||||||
|
|
||||||
Returns:
|
Returns:
|
||||||
CrewOutput: Final output of the crew
|
CrewOutput: Final output of the crew
|
||||||
"""
|
"""
|
||||||
|
|
||||||
|
if self.task_selector and self._inputs:
|
||||||
|
filtered_tasks = [
|
||||||
|
task for task in tasks
|
||||||
|
if self.task_selector(self._inputs, task)
|
||||||
|
]
|
||||||
|
if not filtered_tasks:
|
||||||
|
action = self._inputs.get('action', 'unknown')
|
||||||
|
available_tags = [task.tags for task in tasks if task.tags]
|
||||||
|
raise ValueError(
|
||||||
|
f"No tasks match the selection criteria for action '{action}'. "
|
||||||
|
f"Available tags: {available_tags}"
|
||||||
|
)
|
||||||
|
tasks = filtered_tasks
|
||||||
|
|
||||||
task_outputs: List[TaskOutput] = []
|
task_outputs: List[TaskOutput] = []
|
||||||
futures: List[Tuple[Task, Future[TaskOutput], int]] = []
|
futures: List[Tuple[Task, Future[TaskOutput], int]] = []
|
||||||
last_sync_output: Optional[TaskOutput] = None
|
last_sync_output: Optional[TaskOutput] = None
|
||||||
@@ -1506,3 +1544,28 @@ class Crew(FlowTrackable, BaseModel):
|
|||||||
"""Reset crew and agent knowledge storage."""
|
"""Reset crew and agent knowledge storage."""
|
||||||
for ks in knowledges:
|
for ks in knowledges:
|
||||||
ks.reset()
|
ks.reset()
|
||||||
|
|
||||||
|
@staticmethod
|
||||||
|
def create_tag_selector(action_key: str = "action", tag_mapping: Optional[Dict[str, List[str]]] = None) -> Callable[[Dict[str, Any], Task], bool]:
|
||||||
|
"""Create a task selector function based on tags and input action.
|
||||||
|
|
||||||
|
Args:
|
||||||
|
action_key: Key in inputs dict that specifies the action (default: "action")
|
||||||
|
tag_mapping: Optional mapping of action values to required tags
|
||||||
|
|
||||||
|
Returns:
|
||||||
|
Function that selects tasks based on tags matching the action
|
||||||
|
"""
|
||||||
|
def selector(inputs: Dict[str, Any], task: Task) -> bool:
|
||||||
|
action = inputs.get(action_key)
|
||||||
|
if not action:
|
||||||
|
return True
|
||||||
|
if not task.tags:
|
||||||
|
return True # Execute untagged tasks when action is specified
|
||||||
|
|
||||||
|
if tag_mapping and action in tag_mapping:
|
||||||
|
required_tags = tag_mapping[action]
|
||||||
|
return any(tag in task.tags for tag in required_tags)
|
||||||
|
return action in task.tags
|
||||||
|
|
||||||
|
return selector
|
||||||
|
|||||||
@@ -8,4 +8,5 @@ class Process(str, Enum):
|
|||||||
|
|
||||||
sequential = "sequential"
|
sequential = "sequential"
|
||||||
hierarchical = "hierarchical"
|
hierarchical = "hierarchical"
|
||||||
|
selective = "selective"
|
||||||
# TODO: consensual = 'consensual'
|
# TODO: consensual = 'consensual'
|
||||||
|
|||||||
@@ -139,6 +139,21 @@ class Task(BaseModel):
|
|||||||
description="Whether the task should instruct the agent to return the final answer formatted in Markdown",
|
description="Whether the task should instruct the agent to return the final answer formatted in Markdown",
|
||||||
default=False,
|
default=False,
|
||||||
)
|
)
|
||||||
|
tags: Optional[List[str]] = Field(
|
||||||
|
default=None,
|
||||||
|
description="Tags to categorize this task for selective execution.",
|
||||||
|
)
|
||||||
|
|
||||||
|
@field_validator('tags')
|
||||||
|
@classmethod
|
||||||
|
def validate_tags(cls, v: Optional[List[str]]) -> Optional[List[str]]:
|
||||||
|
if v is not None:
|
||||||
|
if not all(isinstance(tag, str) for tag in v):
|
||||||
|
raise ValueError("All tags must be strings")
|
||||||
|
if not all(tag.strip() for tag in v):
|
||||||
|
raise ValueError("Tags cannot be empty strings")
|
||||||
|
return [tag.lower().strip() for tag in v] # Normalize tags
|
||||||
|
return v
|
||||||
converter_cls: Optional[Type[Converter]] = Field(
|
converter_cls: Optional[Type[Converter]] = Field(
|
||||||
description="A converter class used to export structured output",
|
description="A converter class used to export structured output",
|
||||||
default=None,
|
default=None,
|
||||||
|
|||||||
18
test_basic_functionality.py
Normal file
18
test_basic_functionality.py
Normal file
@@ -0,0 +1,18 @@
|
|||||||
|
from crewai import Crew, Agent, Task, Process
|
||||||
|
|
||||||
|
print('Basic imports work')
|
||||||
|
|
||||||
|
agent = Agent(role="Test", goal="Test", backstory="Test")
|
||||||
|
task = Task(description='test', expected_output='test', agent=agent, tags=['test'])
|
||||||
|
print('Tags field works:', task.tags)
|
||||||
|
|
||||||
|
crew = Crew(agents=[agent], tasks=[task], task_selector=lambda inputs, task: True)
|
||||||
|
print('Task selector field works')
|
||||||
|
|
||||||
|
print('Process.selective exists:', hasattr(Process, 'selective'))
|
||||||
|
print('Process.selective value:', Process.selective if hasattr(Process, 'selective') else 'Not found')
|
||||||
|
|
||||||
|
selector = Crew.create_tag_selector()
|
||||||
|
print('create_tag_selector works:', callable(selector))
|
||||||
|
|
||||||
|
print('All basic functionality tests passed!')
|
||||||
114
test_selective_execution.py
Normal file
114
test_selective_execution.py
Normal file
@@ -0,0 +1,114 @@
|
|||||||
|
from crewai import Agent, Crew, Task, Process
|
||||||
|
|
||||||
|
def test_selective_execution_basic():
|
||||||
|
"""Test basic selective execution functionality without VCR."""
|
||||||
|
|
||||||
|
researcher = Agent(
|
||||||
|
role="Researcher",
|
||||||
|
goal="Research topics",
|
||||||
|
backstory="Expert researcher"
|
||||||
|
)
|
||||||
|
|
||||||
|
writer = Agent(
|
||||||
|
role="Writer",
|
||||||
|
goal="Write content",
|
||||||
|
backstory="Expert writer"
|
||||||
|
)
|
||||||
|
|
||||||
|
forecast_task = Task(
|
||||||
|
description="Analyze forecast data",
|
||||||
|
expected_output="Forecast analysis",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["forecast", "analysis"]
|
||||||
|
)
|
||||||
|
|
||||||
|
news_task = Task(
|
||||||
|
description="Summarize news",
|
||||||
|
expected_output="News summary",
|
||||||
|
agent=writer,
|
||||||
|
tags=["news", "summary"]
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, writer],
|
||||||
|
tasks=[forecast_task, news_task],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
assert crew.task_selector is not None
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
|
||||||
|
inputs = {"action": "forecast"}
|
||||||
|
assert selector(inputs, forecast_task) is True
|
||||||
|
assert selector(inputs, news_task) is False
|
||||||
|
|
||||||
|
inputs = {"action": "news"}
|
||||||
|
assert selector(inputs, forecast_task) is False
|
||||||
|
assert selector(inputs, news_task) is True
|
||||||
|
|
||||||
|
print("All selective execution tests passed!")
|
||||||
|
|
||||||
|
def test_selective_process_validation():
|
||||||
|
"""Test that selective process requires task_selector."""
|
||||||
|
from pydantic import ValidationError
|
||||||
|
|
||||||
|
researcher = Agent(
|
||||||
|
role="Researcher",
|
||||||
|
goal="Research topics",
|
||||||
|
backstory="Expert researcher"
|
||||||
|
)
|
||||||
|
|
||||||
|
task = Task(
|
||||||
|
description="Test task",
|
||||||
|
expected_output="Test output",
|
||||||
|
agent=researcher
|
||||||
|
)
|
||||||
|
|
||||||
|
try:
|
||||||
|
Crew(
|
||||||
|
agents=[researcher],
|
||||||
|
tasks=[task],
|
||||||
|
process=Process.selective
|
||||||
|
)
|
||||||
|
assert False, "Should have raised ValidationError"
|
||||||
|
except ValidationError as e:
|
||||||
|
assert "task_selector" in str(e)
|
||||||
|
print("Validation error correctly raised for missing task_selector")
|
||||||
|
|
||||||
|
def test_tag_selector_edge_cases():
|
||||||
|
"""Test edge cases for tag selector."""
|
||||||
|
|
||||||
|
researcher = Agent(
|
||||||
|
role="Researcher",
|
||||||
|
goal="Research topics",
|
||||||
|
backstory="Expert researcher"
|
||||||
|
)
|
||||||
|
|
||||||
|
tagged_task = Task(
|
||||||
|
description="Tagged task",
|
||||||
|
expected_output="Output",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["test"]
|
||||||
|
)
|
||||||
|
|
||||||
|
untagged_task = Task(
|
||||||
|
description="Untagged task",
|
||||||
|
expected_output="Output",
|
||||||
|
agent=researcher
|
||||||
|
)
|
||||||
|
|
||||||
|
selector = Crew.create_tag_selector()
|
||||||
|
|
||||||
|
assert selector({}, tagged_task) is True
|
||||||
|
assert selector({}, untagged_task) is True
|
||||||
|
|
||||||
|
assert selector({"action": "anything"}, untagged_task) is True
|
||||||
|
|
||||||
|
print("Edge case tests passed!")
|
||||||
|
|
||||||
|
if __name__ == "__main__":
|
||||||
|
test_selective_execution_basic()
|
||||||
|
test_selective_process_validation()
|
||||||
|
test_tag_selector_edge_cases()
|
||||||
|
print("All tests completed successfully!")
|
||||||
@@ -1538,6 +1538,203 @@ def test_set_agents_step_callback():
|
|||||||
assert researcher_agent.step_callback is not None
|
assert researcher_agent.step_callback is not None
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_execution_with_tags(researcher, writer):
|
||||||
|
"""Test selective task execution based on tags and input action."""
|
||||||
|
|
||||||
|
forecast_task = Task(
|
||||||
|
description="Analyze forecast data",
|
||||||
|
expected_output="Forecast analysis",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["forecast", "analysis"]
|
||||||
|
)
|
||||||
|
|
||||||
|
news_task = Task(
|
||||||
|
description="Summarize news",
|
||||||
|
expected_output="News summary",
|
||||||
|
agent=writer,
|
||||||
|
tags=["news", "summary"]
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, writer],
|
||||||
|
tasks=[forecast_task, news_task],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
inputs = {"action": "forecast"}
|
||||||
|
|
||||||
|
assert selector(inputs, forecast_task) is True
|
||||||
|
assert selector(inputs, news_task) is False
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_process_type(researcher):
|
||||||
|
"""Test selective process type."""
|
||||||
|
task = Task(
|
||||||
|
description="Test task",
|
||||||
|
expected_output="Test output",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["test"]
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher],
|
||||||
|
tasks=[task],
|
||||||
|
process=Process.selective,
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
# Test that selective process is properly configured
|
||||||
|
assert crew.process == Process.selective
|
||||||
|
assert crew.task_selector is not None
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_execution_no_matching_tasks_error(researcher):
|
||||||
|
"""Test error when no tasks match selection criteria."""
|
||||||
|
task = Task(
|
||||||
|
description="Test task",
|
||||||
|
expected_output="Test output",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["other"]
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher],
|
||||||
|
tasks=[task],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
inputs = {"action": "nonexistent"}
|
||||||
|
|
||||||
|
assert selector(inputs, task) is False
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_process_missing_selector_error(researcher):
|
||||||
|
"""Test error when selective process lacks task_selector."""
|
||||||
|
from pydantic import ValidationError
|
||||||
|
|
||||||
|
task = Task(
|
||||||
|
description="Test task",
|
||||||
|
expected_output="Test output",
|
||||||
|
agent=researcher
|
||||||
|
)
|
||||||
|
|
||||||
|
with pytest.raises(ValidationError, match="Selective process requires a task_selector"):
|
||||||
|
Crew(
|
||||||
|
agents=[researcher],
|
||||||
|
tasks=[task],
|
||||||
|
process=Process.selective
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def test_tag_selector_with_mapping(researcher, writer):
|
||||||
|
"""Test tag selector with custom tag mapping."""
|
||||||
|
task1 = Task(
|
||||||
|
description="Task 1",
|
||||||
|
expected_output="Output 1",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["data_analysis"]
|
||||||
|
)
|
||||||
|
|
||||||
|
task2 = Task(
|
||||||
|
description="Task 2",
|
||||||
|
expected_output="Output 2",
|
||||||
|
agent=writer,
|
||||||
|
tags=["reporting"]
|
||||||
|
)
|
||||||
|
|
||||||
|
tag_mapping = {
|
||||||
|
"analyze": ["data_analysis", "research"],
|
||||||
|
"report": ["reporting", "writing"]
|
||||||
|
}
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, writer],
|
||||||
|
tasks=[task1, task2],
|
||||||
|
task_selector=Crew.create_tag_selector(tag_mapping=tag_mapping)
|
||||||
|
)
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
|
||||||
|
assert selector({"action": "analyze"}, task1) is True
|
||||||
|
assert selector({"action": "analyze"}, task2) is False
|
||||||
|
|
||||||
|
assert selector({"action": "report"}, task1) is False
|
||||||
|
assert selector({"action": "report"}, task2) is True
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_execution_no_action_executes_all(researcher, writer):
|
||||||
|
"""Test that when no action is specified, all tasks execute."""
|
||||||
|
task1 = Task(
|
||||||
|
description="Task 1",
|
||||||
|
expected_output="Output 1",
|
||||||
|
agent=researcher,
|
||||||
|
tags=["tag1"]
|
||||||
|
)
|
||||||
|
|
||||||
|
task2 = Task(
|
||||||
|
description="Task 2",
|
||||||
|
expected_output="Output 2",
|
||||||
|
agent=writer,
|
||||||
|
tags=["tag2"]
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, writer],
|
||||||
|
tasks=[task1, task2],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
# Test that no action means all tasks are selected
|
||||||
|
selector = crew.task_selector
|
||||||
|
inputs = {}
|
||||||
|
|
||||||
|
assert selector(inputs, task1) is True
|
||||||
|
assert selector(inputs, task2) is True
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_execution_no_tags_executes_all(researcher, writer):
|
||||||
|
"""Test that tasks without tags execute when using selective execution."""
|
||||||
|
task1 = Task(
|
||||||
|
description="Task 1",
|
||||||
|
expected_output="Output 1",
|
||||||
|
agent=researcher
|
||||||
|
)
|
||||||
|
|
||||||
|
task2 = Task(
|
||||||
|
description="Task 2",
|
||||||
|
expected_output="Output 2",
|
||||||
|
agent=writer
|
||||||
|
)
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, writer],
|
||||||
|
tasks=[task1, task2],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
# Test that tasks without tags are selected when no action or when action doesn't match
|
||||||
|
selector = crew.task_selector
|
||||||
|
|
||||||
|
assert selector({}, task1) is True
|
||||||
|
assert selector({}, task2) is True
|
||||||
|
|
||||||
|
assert selector({"action": "anything"}, task1) is True
|
||||||
|
assert selector({"action": "anything"}, task2) is True
|
||||||
|
|
||||||
|
|
||||||
|
def test_selective_execution_with_invalid_tags(researcher):
|
||||||
|
"""Test that invalid tag types raise validation errors."""
|
||||||
|
with pytest.raises(ValueError, match="Input should be a valid string"):
|
||||||
|
Task(
|
||||||
|
description="Test task",
|
||||||
|
expected_output="Test output",
|
||||||
|
agent=researcher,
|
||||||
|
tags=[1, 2, 3] # Invalid tag types
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
def test_dont_set_agents_step_callback_if_already_set():
|
def test_dont_set_agents_step_callback_if_already_set():
|
||||||
from unittest.mock import patch
|
from unittest.mock import patch
|
||||||
|
|
||||||
|
|||||||
73
tests/test_selective_execution_example.py
Normal file
73
tests/test_selective_execution_example.py
Normal file
@@ -0,0 +1,73 @@
|
|||||||
|
"""Example demonstrating selective execution for issue #2941."""
|
||||||
|
|
||||||
|
from crewai import Agent, Crew, Task, Process
|
||||||
|
|
||||||
|
|
||||||
|
def test_issue_2941_example():
|
||||||
|
"""Reproduce and test the exact scenario from issue #2941."""
|
||||||
|
|
||||||
|
holiday_agent = Agent(role="Holiday Researcher", goal="Research holidays", backstory="Expert in holidays")
|
||||||
|
macro_agent = Agent(role="Macro Analyst", goal="Analyze macro data", backstory="Expert in macroeconomics")
|
||||||
|
news_agent = Agent(role="News Summarizer", goal="Summarize news", backstory="Expert in news analysis")
|
||||||
|
forecast_agent = Agent(role="Forecaster", goal="Create forecasts", backstory="Expert in forecasting")
|
||||||
|
query_agent = Agent(role="Query Handler", goal="Handle user queries", backstory="Expert in query processing")
|
||||||
|
|
||||||
|
holiday_task = Task(description="Research holiday information", expected_output="Holiday data", agent=holiday_agent, tags=["holiday"])
|
||||||
|
macro_task = Task(description="Extract macroeconomic data", expected_output="Macro data", agent=macro_agent, tags=["macro"])
|
||||||
|
news_task = Task(description="Summarize relevant news", expected_output="News summary", agent=news_agent, tags=["news"])
|
||||||
|
forecast_task = Task(description="Generate forecast", expected_output="Forecast result", agent=forecast_agent, tags=["forecast"])
|
||||||
|
query_task = Task(description="Handle user query", expected_output="Query response", agent=query_agent, tags=["query"])
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[holiday_agent, macro_agent, news_agent, forecast_agent, query_agent],
|
||||||
|
tasks=[holiday_task, macro_task, news_task, forecast_task, query_task],
|
||||||
|
process=Process.selective,
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
inputs = {
|
||||||
|
'data_file': 'sample.csv',
|
||||||
|
'action': 'forecast',
|
||||||
|
'country_code': 'US',
|
||||||
|
'topic': 'Egg_prices',
|
||||||
|
'query': "Provide forecasted result on the input data"
|
||||||
|
}
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
assert selector(inputs, forecast_task) is True
|
||||||
|
assert selector(inputs, holiday_task) is False
|
||||||
|
assert selector(inputs, macro_task) is False
|
||||||
|
assert selector(inputs, news_task) is False
|
||||||
|
assert selector(inputs, query_task) is False
|
||||||
|
|
||||||
|
|
||||||
|
def test_multiple_actions_example():
|
||||||
|
"""Test crew that can handle multiple different actions."""
|
||||||
|
|
||||||
|
researcher = Agent(role="Researcher", goal="Research topics", backstory="Expert researcher")
|
||||||
|
analyst = Agent(role="Analyst", goal="Analyze data", backstory="Expert analyst")
|
||||||
|
writer = Agent(role="Writer", goal="Write reports", backstory="Expert writer")
|
||||||
|
|
||||||
|
research_task = Task(description="Research the topic", expected_output="Research findings", agent=researcher, tags=["research", "data_gathering"])
|
||||||
|
analysis_task = Task(description="Analyze the data", expected_output="Analysis results", agent=analyst, tags=["analysis", "forecast"])
|
||||||
|
writing_task = Task(description="Write the report", expected_output="Final report", agent=writer, tags=["writing", "summary"])
|
||||||
|
|
||||||
|
crew = Crew(
|
||||||
|
agents=[researcher, analyst, writer],
|
||||||
|
tasks=[research_task, analysis_task, writing_task],
|
||||||
|
task_selector=Crew.create_tag_selector()
|
||||||
|
)
|
||||||
|
|
||||||
|
selector = crew.task_selector
|
||||||
|
|
||||||
|
assert selector({"action": "research"}, research_task) is True
|
||||||
|
assert selector({"action": "research"}, analysis_task) is False
|
||||||
|
assert selector({"action": "research"}, writing_task) is False
|
||||||
|
|
||||||
|
assert selector({"action": "analysis"}, research_task) is False
|
||||||
|
assert selector({"action": "analysis"}, analysis_task) is True
|
||||||
|
assert selector({"action": "analysis"}, writing_task) is False
|
||||||
|
|
||||||
|
assert selector({"action": "writing"}, research_task) is False
|
||||||
|
assert selector({"action": "writing"}, analysis_task) is False
|
||||||
|
assert selector({"action": "writing"}, writing_task) is True
|
||||||
Reference in New Issue
Block a user