WorkforceState

class WorkforceState(Enum):

Workforce execution state for human intervention support.

WorkforceSnapshot

class WorkforceSnapshot:

Snapshot of workforce state for resuming execution.

init

def __init__(
    self,
    main_task: Optional[Task] = None,
    pending_tasks: Optional[Deque[Task]] = None,
    completed_tasks: Optional[List[Task]] = None,
    task_dependencies: Optional[Dict[str, List[str]]] = None,
    assignees: Optional[Dict[str, str]] = None,
    current_task_index: int = 0,
    description: str = ''
):

Workforce

class Workforce(BaseNode):

A system where multiple worker nodes (agents) cooperate together to solve tasks. It can assign tasks to worker nodes and also take strategies such as create new worker, decompose tasks, etc. to handle situations when the task fails.

The workforce uses three specialized ChatAgents internally:

  • Coordinator Agent: Assigns tasks to workers based on their capabilities
  • Task Planner Agent: Decomposes complex tasks and composes results
  • Dynamic Workers: Created at runtime when tasks fail repeatedly

Parameters:

  • description (str): Description of the workforce.
  • children (Optional[List[BaseNode]], optional): List of child nodes under this node. Each child node can be a worker node or another workforce node. (default: :obj:None)
  • coordinator_agent_kwargs (Optional[Dict], optional): Keyword arguments passed directly to the coordinator :obj:ChatAgent constructor. The coordinator manages task assignment and failure handling strategies. See :obj:ChatAgent documentation for all available parameters. (default: :obj:None - uses ModelPlatformType.DEFAULT, ModelType.DEFAULT)
  • task_agent_kwargs (Optional[Dict], optional): Keyword arguments passed directly to the task planning :obj:ChatAgent constructor. The task agent handles task decomposition into subtasks and result composition. See :obj:ChatAgent documentation for all available parameters. (default: :obj:None - uses ModelPlatformType.DEFAULT, ModelType.DEFAULT)
  • new_worker_agent_kwargs (Optional[Dict], optional): Default keyword arguments passed to :obj:ChatAgent constructor for workers created dynamically at runtime when existing workers cannot handle failed tasks. See :obj:ChatAgent documentation for all available parameters. (default: :obj:None - creates workers with SearchToolkit, CodeExecutionToolkit, and ThinkingToolkit)
  • graceful_shutdown_timeout (float, optional): The timeout in seconds for graceful shutdown when a task fails 3 times. During this period, the workforce remains active for debugging. Set to 0 for immediate shutdown. (default: :obj:15.0)
  • share_memory (bool, optional): Whether to enable shared memory across SingleAgentWorker instances in the workforce. When enabled, all SingleAgentWorker instances, coordinator agent, and task planning agent will share their complete conversation history and function-calling trajectory, providing better context for task handoffs and continuity. Note: Currently only supports SingleAgentWorker instances; RolePlayingWorker and nested Workforce instances do not participate in memory sharing. (default: :obj:False)

init

def __init__(
    self,
    description: str,
    children: Optional[List[BaseNode]] = None,
    coordinator_agent_kwargs: Optional[Dict] = None,
    task_agent_kwargs: Optional[Dict] = None,
    new_worker_agent_kwargs: Optional[Dict] = None,
    graceful_shutdown_timeout: float = 15.0,
    share_memory: bool = False
):

repr

def __repr__(self):

_collect_shared_memory

def _collect_shared_memory(self):

Returns:

Dict[str, List]: A dictionary mapping agent types to their memory records. Contains entries for ‘coordinator’, ‘task_agent’, and ‘workers’.

_share_memory_with_agents

def _share_memory_with_agents(self, shared_memory: Dict[str, List]):

Share collected memory with coordinator, task agent, and SingleAgentWorker instances.

Parameters:

  • shared_memory (Dict[str, List]): Memory records collected from all agents to be shared.

_sync_shared_memory

def _sync_shared_memory(self):

Synchronize memory across all agents by collecting and sharing.

_decompose_task

def _decompose_task(self, task: Task):

Returns:

List[Task]: The subtasks.

pause

def pause(self):

Pause the workforce execution. If the internal event-loop is already running we schedule the asynchronous pause coroutine onto it. When the loop has not yet been created (e.g. the caller presses the hot-key immediately after workforce start-up) we fall back to a synchronous state change so that no tasks will be scheduled until the loop is ready.

resume

def resume(self):

Resume execution after a manual pause.

stop_gracefully

def stop_gracefully(self):

Request workforce to finish current in-flight work then halt.

Works both when the internal event-loop is alive and when it has not yet been started. In the latter case we simply mark the stop flag so that the loop (when it eventually starts) will exit immediately after initialisation.

save_snapshot

def save_snapshot(self, description: str = ''):

Save current state as a snapshot.

list_snapshots

def list_snapshots(self):

List all available snapshots.

get_pending_tasks

def get_pending_tasks(self):

Get current pending tasks for human review.

get_completed_tasks

def get_completed_tasks(self):

Get completed tasks.

modify_task_content

def modify_task_content(self, task_id: str, new_content: str):

Modify the content of a pending task.

add_task

def add_task(
    self,
    content: str,
    task_id: Optional[str] = None,
    additional_info: Optional[Dict[str, Any]] = None,
    insert_position: int = -1
):

Add a new task to the pending queue.

remove_task

def remove_task(self, task_id: str):

Remove a task from the pending queue.

reorder_tasks

def reorder_tasks(self, task_ids: List[str]):

Reorder pending tasks according to the provided task IDs list.

resume_from_task

def resume_from_task(self, task_id: str):

Resume execution from a specific task.

restore_from_snapshot

def restore_from_snapshot(self, snapshot_index: int):

Restore workforce state from a snapshot.

get_workforce_status

def get_workforce_status(self):

Get current workforce status for human review.

process_task

def process_task(self, task: Task):

Synchronous wrapper for process_task that handles async operations internally.

Parameters:

  • task (Task): The task to be processed.

Returns:

Task: The updated task.

_process_task_with_intervention

def _process_task_with_intervention(self, task: Task):

Process task with human intervention support. This creates and manages its own event loop to allow for pausing/resuming functionality.

Parameters:

  • task (Task): The task to be processed.

Returns:

Task: The updated task.

continue_from_pause

def continue_from_pause(self):

Returns:

Optional[Task]: The completed task if execution finishes, None if still running/paused.

add_single_agent_worker

def add_single_agent_worker(
    self,
    description: str,
    worker: ChatAgent,
    pool_max_size: int = 10
):

Add a worker node to the workforce that uses a single agent.

Parameters:

  • description (str): Description of the worker node.
  • worker (ChatAgent): The agent to be added.
  • pool_max_size (int): Maximum size of the agent pool. (default: :obj:10)

Returns:

Workforce: The workforce node itself.

add_role_playing_worker

def add_role_playing_worker(
    self,
    description: str,
    assistant_role_name: str,
    user_role_name: str,
    assistant_agent_kwargs: Optional[Dict] = None,
    user_agent_kwargs: Optional[Dict] = None,
    summarize_agent_kwargs: Optional[Dict] = None,
    chat_turn_limit: int = 3
):

Add a worker node to the workforce that uses RolePlaying system.

Parameters:

  • description (str): Description of the node.
  • assistant_role_name (str): The role name of the assistant agent.
  • user_role_name (str): The role name of the user agent.
  • assistant_agent_kwargs (Optional[Dict]): The keyword arguments to initialize the assistant agent in the role playing, like the model name, etc. (default: :obj:None)
  • user_agent_kwargs (Optional[Dict]): The keyword arguments to initialize the user agent in the role playing, like the model name, etc. (default: :obj:None)
  • summarize_agent_kwargs (Optional[Dict]): The keyword arguments to initialize the summarize agent, like the model name, etc. (default: :obj:None)
  • chat_turn_limit (int): The maximum number of chat turns in the role playing. (default: :obj:3)

Returns:

Workforce: The workforce node itself.

add_workforce

def add_workforce(self, workforce: Workforce):

Add a workforce node to the workforce.

Parameters:

  • workforce (Workforce): The workforce node to be added.

Returns:

Workforce: The workforce node itself.

reset

def reset(self):

Reset the workforce and all the child nodes under it. Can only be called when the workforce is not running.

set_channel

def set_channel(self, channel: TaskChannel):

Set the channel for the node and all the child nodes under it.

_get_child_nodes_info

def _get_child_nodes_info(self):

Get the information of all the child nodes under this node.

_find_assignee

def _find_assignee(self, tasks: List[Task]):

Assigns multiple tasks to worker nodes with the best capabilities.

Parameters:

  • tasks (List[Task]): The tasks to be assigned.

Returns:

TaskAssignResult: Assignment result containing task assignments with their dependencies.

_create_worker_node_for_task

def _create_worker_node_for_task(self, task: Task):

Creates a new worker node for a given task and add it to the children list of this node. This is one of the actions that the coordinator can take when a task has failed.

Parameters:

  • task (Task): The task for which the worker node is created.

Returns:

Worker: The created worker node.

_create_new_agent

def _create_new_agent(self, role: str, sys_msg: str):

get_workforce_log_tree

def get_workforce_log_tree(self):

Returns an ASCII tree representation of the task hierarchy and worker status.

get_workforce_kpis

def get_workforce_kpis(self):

Returns a dictionary of key performance indicators.

dump_workforce_logs

def dump_workforce_logs(self, file_path: str):

Dumps all collected logs to a JSON file.

Parameters:

  • file_path (str): The path to the JSON file.

_submit_coro_to_loop

def _submit_coro_to_loop(self, coro: 'Coroutine'):

Thread-safe submission of coroutine to the workforce loop.

stop

def stop(self):

Stop all the child nodes under it. The node itself will be stopped by its parent node.

clone

def clone(self, with_memory: bool = False):

Creates a new instance of Workforce with the same configuration.

Parameters:

  • with_memory (bool, optional): Whether to copy the memory (conversation history) to the new instance. If True, the new instance will have the same conversation history. If False, the new instance will have a fresh memory. (default: :obj:False)

Returns:

Workforce: A new instance of Workforce with the same configuration.

to_mcp

def to_mcp(
    self,
    name: str = 'CAMEL-Workforce',
    description: str = 'A workforce system using the CAMEL AI framework for multi-agent collaboration.',
    dependencies: Optional[List[str]] = None,
    host: str = 'localhost',
    port: int = 8001
):

Expose this Workforce as an MCP server.

Parameters:

  • name (str): Name of the MCP server. (default: :obj:CAMEL-Workforce)
  • description (str): Description of the workforce. If None, a generic description is used. (default: :obj:A workforce system using the CAMEL AI framework for multi-agent collaboration.)
  • dependencies (Optional[List[str]]): Additional dependencies for the MCP server. (default: :obj:None)
  • host (str): Host to bind to for HTTP transport. (default: :obj:localhost)
  • port (int): Port to bind to for HTTP transport. (default: :obj:8001)

Returns:

FastMCP: An MCP server instance that can be run.