"Self-awareness: the hardest problem isn't solving within limits, it's discovering one's own limitations"
AWorld (Agent World) is a next-generation framework engineered for agent self-improvement at scale. Powered by the capabilities above, we enable AI agents to continuously evolve by learning from their own knowledge and experiences across various environments. Using AWorld, you can:
- 
Build workflows: Design and implement automated task sequences. Docs 
- 
Build agents: Create intelligent AI agents with mcp tools. Docs 
- 
Build Multi-Agent Systems (MAS): Orchestrate collaborative agent ecosystems. Docs 
- 
Train agents efficiently: Optimize performance within MAS across various environments. Docs 
Collective Intelligence 🚀
Demonstrating collective intelligence across diverse domains. Join us in the ongoing projects!
🌏 View ongoing projects
| Category | Achievement | Status | Expected Impact | 
|---|---|---|---|
| 🖼️ Multi-Modal | Advanced OS / Web Interaction | In Progress | Visual reasoning environment understanding | 
| 💻 Code | Advanced installation, coding, testing, debugging, etc. ability | In Progress | Automated software engineering capabilities | 
| 🔧 Tool Use | Advanced multi-turn function call | Coming soon | Impact the real world | 
Self-Improvement: Surpassing Collective Intelligence 🌱
Agents can run in various Env, collect both positive and negative Experience, and learn through Training.
Tip
Python>=3.11
git clone https://github.com/inclusionAI/AWorld && cd AWorld
pip install .We introduce the concepts of Agent and Runners to help you get started quickly.
For parallel task execution, see the parallel run examples.
from aworld.agents.llm_agent import Agent
from aworld.runner import Runners
summarizer = Agent(
    name="Summary Agent", 
    system_prompt="You specialize at summarizing.",
)
result = Runners.sync_run(
    input="Tell me a succint history about the universe", 
    agent=summarizer,
)In parallel, we introduce the concepts of Swarm to construct a group of agents.
from aworld.agents.llm_agent import Agent
from aworld.runner import Runners
from aworld.core.agent.swarm import Swarm
researcher = Agent(
    name="Research Agent", 
    system_prompt="You specialize at researching.",
)
summarizer = Agent(
    name="Summary Agent", 
    system_prompt="You specialize at summarizing.",
)
# Create agent group with collaborative workflow
group = Swarm(topology=[(researcher, summarizer)])
result = Runners.sync_run(
    input="Tell me a complete history about the universe", 
    swarm=group,
)Finally, run your own agents or teams
# Set LLM credentials
export LLM_MODEL_NAME="gpt-4"
export LLM_API_KEY="your-api-key-here"
export LLM_BASE_URL="https://api.openai.com/v1"
# Run
python /path/to/agents/or/teams🌏 Click to View Advanced Usages
from aworld.agents.llm_agent import Agent
from aworld.runner import Runners
from aworld.config.conf import AgentConfig
from aworld.core.agent.swarm import Swarm
gpt_conf = AgentConfig(
    llm_provider="openai",
    llm_model_name="gpt-4o",
    llm_api_key="<OPENAI_API_KEY>",
    llm_temperature=0.1,
)
openrouter_conf = AgentConfig(
    llm_provider="openai",
    llm_model_name="google/gemini-2.5-pro",
    llm_api_key="<OPENROUTER_API_KEY>",
    llm_base_url="https://openrouter.ai/api/v1"
    llm_temperature=0.1,
)
researcher = Agent(
    name="Research Agent", 
    conf=gpt_conf,
    system_prompt="You specialize at researching.",
)
summarizer = Agent(
    name="Summary Agent", 
    conf=openrouter_conf,
    system_prompt="You specialize at summarizing.",
)
# Create agent group with collaborative workflow
group = Swarm(topology=[(researcher, summarizer)])
result = Runners.sync_run(
    input="Tell me a complete history about the universe", 
    swarm=group,
)import os
from aworld.agents.llm_agent import Agent
from aworld.runner import Runners
mcp_config = {
    "mcpServers": {
        "GorillaFileSystem": {
            "type": "stdio",
            "command": "python",
            "args": ["examples/BFCL/mcp_tools/gorilla_file_system.py"],
        },
    }
}
file_sys = Agent(
    name="file_sys_agent",
    system_prompt=(
        "You are a helpful agent to use "
        "the standard file system to perform file operations."
    ),
    mcp_servers=mcp_config.get("mcpServers", []).keys(),
    mcp_config=mcp_config,
)
result = Runners.sync_run(
    input=(
        "use mcp tools in the GorillaFileSystem server "
        "to perform file operations: "
        "write the content 'AWorld' into "
        "the hello_world.py file with a new line "
        "and keep the original content of the file. "
        "Make sure the new and old "
        "content are all in the file; "
        "and display the content of the file"
    ),
    agent=file_sys,
)It is recommended to use MemoryFactory to initialize and access Memory instances.
from aworld.memory.main import MemoryFactory
from aworld.core.memory import MemoryConfig, MemoryLLMConfig
# Simple initialization
memory = MemoryFactory.instance()
# Initialization with LLM configuration
MemoryFactory.init(
    config=MemoryConfig(
        provider="aworld",
        llm_config=MemoryLLMConfig(
            provider="openai",
            model_name=os.environ["LLM_MODEL_NAME"],
            api_key=os.environ["LLM_API_KEY"],
            base_url=os.environ["LLM_BASE_URL"]
        )
    )
)
memory = MemoryFactory.instance()MemoryConfig allows you to integrate different embedding models and vector databases.
import os
from aworld.core.memory import MemoryConfig, MemoryLLMConfig, EmbeddingsConfig, VectorDBConfig
MemoryFactory.init(
    config=MemoryConfig(
        provider="aworld",
        llm_config=MemoryLLMConfig(
            provider="openai",
            model_name=os.environ["LLM_MODEL_NAME"],
            api_key=os.environ["LLM_API_KEY"],
            base_url=os.environ["LLM_BASE_URL"]
        ),
        embedding_config=EmbeddingsConfig(
            provider="ollama", # or huggingface, openai, etc.
            base_url="http://localhost:11434",
            model_name="nomic-embed-text"
        ),
        vector_store_config=VectorDBConfig(
            provider="chroma",
            config={
                "chroma_data_path": "./chroma_db",
                "collection_name": "aworld",
            }
        )
    )
)We present a classic topology: Leader-Executor.
"""
Leader-Executor topology:
 ┌───── plan ───┐     
exec1         exec2
Each agent communicates with a single supervisor agent, 
well recognized as Leader-Executor topology, 
also referred to as a team topology in Aworld.
We can use this topology to implement paradigms of ReAct and Plan-Execute.
"""
from aworld.agents.llm_agent import Agent
from aworld.core.agent.swarm import Swarm, GraphBuildType
plan = Agent(name="plan", conf=agent_conf)
exec1 = Agent(name="exec1", conf=agent_conf)
exec2 = Agent(name="exec2", conf=agent_conf)
swarm = Swarm(topology=[(plan, exec1), (plan, exec2)], build_type=GraphBuildType.TEAM)AWorld provides a comprehensive environment that supports a diverse array of applications, such as Product Prototype Verification, Foundational Model Training, and the design of Multi-Agent Systems (MAS) through meta-learning.
This framework is engineered to be highly adaptable, enabling researchers and developers to explore and innovate across multiple domains, thereby advancing the capabilities and applications of multi-agent systems.
| Concepts | Description | 
|---|---|
| agent | Define the foundational classes, descriptions, output parsing, and multi-agent collaboration (swarm) logic for defining, managing, and orchestrating agents in the AWorld system. | 
| runner | Contains runner classes that manage the execution loop for agents in environments, handling episode rollouts and parallel training/evaluation workflows. | 
| task | Define the base Task class that encapsulates environment objectives, necessary tools, and termination conditions for agent interactions. | 
| swarm | Implement the SwarmAgent class managing multi-agent coordination and emergent group behaviors through decentralized policies. | 
| sandbox | Provide a controlled runtime with configurable scenarios for rapid prototyping and validation of agent behaviors. | 
| tools | Offer a flexible framework for defining, adapting, and executing tools for agent-environment interaction in the AWorld system. | 
| context | Feature a comprehensive context management system for AWorld agents, enabling complete state tracking, configuration management, prompt optimization, multi-task state handling, and dynamic prompt templating throughout the agent lifecycle. | 
| memory | Implement an extensible memory system for agents, supporting short-term and long-term memory, summarization, retrieval, embeddings, and integration. | 
| trace | Feature an observable tracing framework for AWorld, enabling distributed tracing, context propagation, span management, and integration with popular frameworks and protocols to monitor and analyze agent, tool, and task execution. | 
💡 Check the examples directory to explore diverse AWorld applications.
| Agent Construction | Topology Orchestration | Environment | 
|---|---|---|
| ✅ Integrated MCP services | ✅ Encapsulated runtime | ✅ Runtime state management | 
| ✅ Multi-model providers | ✅ Flexible MAS patterns | ✅ High-concurrency support | 
| ✅ Customization options | ✅ Clear state tracing | ✅ Distributed training | 
Here is a forward illustration to collect BFCL forward trajectories: tutorial.
During training, an action-state rollout demonstration using AWorld's distributed environments.
Here is an illustration of AWorld-training with various frameworks, like AReal, Verl and Swift. tutorial.
This section showcases novel research papers developed using AWorld, demonstrating its capacity to incubate cutting-edge multi-agent systems that advance toward Artificial General Intelligence (AGI).
- 
Profile-Aware Maneuvering: A Dynamic Multi-Agent System for Robust GAIA Problem Solving by AWorld. arxiv, 2025. paper, code Zhitian Xie, Qintong Wu, Chengyue Yu, Chenyi Zhuang, Jinjie Gu 
- 
Recon-Act: A Self-Evolving Multi-Agent Browser-Use System via Web Reconnaissance, Tool Generation, and Task Execution. arxiv, 2025. paper, code Kaiwen He, Zhiwei Wang, Chenyi Zhuang, Jinjie Gu 
- 
AWorld: Orchestrating the Training Recipe for Agentic AI. arxiv, 2025. paper, code, model Chengyue Yu, Siyuan Lu, Chenyi Zhuang, Dong Wang, Qintong Wu, etc. 
- 
FunReason: Enhancing Large Language Models' Function Calling via Self-Refinement Multiscale Loss and Automated Data Refinement. arxiv, 2025. paper, model Bingguang Hao, Maolin Wang, Zengzhuang Xu, Cunyin Peng, etc. 
- 
Exploring Superior Function Calls via Reinforcement Learning. arxiv, 2025. paper, code Bingguang Hao, Maolin Wang, Zengzhuang Xu, Yicheng Chen, etc. 
- 
RAG-R1 : Incentivize the Search and Reasoning Capabilities of LLMs through Multi-query Parallelism. arxiv, 2025. paper, code, model Zhiwen Tan, Jiaming Huang, Qintong Wu, Hongxuan Zhang, Chenyi Zhuang, Jinjie Gu 
- 
V2P: From Background Suppression to Center Peaking for Robust GUI Grounding Task. arxiv, 2025. paper, code Jikai Chen, Long Chen, Dong Wang, Leilei Gan, Chenyi Zhuang, Jinjie Gu 
- 
Don’t Just Fine-tune the Agent, Tune the Environment arxiv, 2025. paper Siyuan Lu, Zechuan Wang, Hongxuan Zhang, Qintong Wu, Leilei Gan, Chenyi Zhuang, etc. 
We warmly welcome developers to join us in building and improving AWorld! Whether you're interested in enhancing the framework, fixing bugs, or adding new features, your contributions are valuable to us.
For academic citations or wish to contact us, please use the following BibTeX entry:
@misc{yu2025aworldorchestratingtrainingrecipe,
      title={AWorld: Orchestrating the Training Recipe for Agentic AI}, 
      author={Chengyue Yu and Siyuan Lu and Chenyi Zhuang and Dong Wang and Qintong Wu and Zongyue Li and Runsheng Gan and Chunfeng Wang and Siqi Hou and Gaochi Huang and Wenlong Yan and Lifeng Hong and Aohui Xue and Yanfeng Wang and Jinjie Gu and David Tsai and Tao Lin},
      year={2025},
      eprint={2508.20404},
      archivePrefix={arXiv},
      primaryClass={cs.AI},
      url={https://arxiv.org/abs/2508.20404}, 
}Your project structure should look like this:
agent-project-root-dir/
    agent_deploy/
      my_first_agent/
        __init__.py
        agent.py
Create project folders.
mkdir my-aworld-project && cd my-aworld-project # project-root-dir
mkdir -p agent_deploy/my_first_agentCreate your first agnet in agent_deploy/my_first_agent:
__init__.py: Create empty __ini__.py file.
cd agent_deploy/my_first_agent
touch __init__.pyagent.py: Define your agent logic:
import logging
import os
from aworld.cmd.data_model import BaseAWorldAgent, ChatCompletionRequest
from aworld.config.conf import AgentConfig, TaskConfig
from aworld.agents.llm_agent import Agent
from aworld.core.task import Task
from aworld.runner import Runners
logger = logging.getLogger(__name__)
class AWorldAgent(BaseAWorldAgent):
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
    def name(self):
        return "My First Agent"
    def description(self):
        return "A helpful assistant that can answer questions and help with tasks"
    async def run(self, prompt: str = None, request: ChatCompletionRequest = None):
        # Load LLM configuration from environment variables
        agent_config = AgentConfig(
            llm_provider=os.getenv("LLM_PROVIDER", "openai"),
            llm_model_name=os.getenv("LLM_MODEL_NAME", "gpt-4"),
            llm_api_key=os.getenv("LLM_API_KEY"),
            llm_base_url=os.getenv("LLM_BASE_URL"),
            llm_temperature=float(os.getenv("LLM_TEMPERATURE", "0.7"))
        )
        # Validate required configuration
        if not agent_config.llm_model_name or not agent_config.llm_api_key:
            raise ValueError("LLM_MODEL_NAME and LLM_API_KEY must be set!")
        # Optional: Configure MCP tools for enhanced capabilities
        mcp_config = {
            "mcpServers": {
                "amap-mcp": {
                    "type": "sse",
                    "url": "https://mcp.example.com/sse?key=YOUR_API_KEY", # Replace Your API Key
                    "timeout": 30,
                    "sse_read_timeout": 300
                }
            }
        }
        # Create the agent instance
        agent = Agent(
            conf=agent_config,
            name="My First Agent",
            system_prompt="""You are a helpful AI assistant. Your goal is to:
            - Answer questions accurately and helpfully
            - Provide clear, step-by-step guidance when needed
            - Be friendly and professional in your responses""",
            mcp_servers=["amap-mcp"],
            mcp_config=mcp_config
        )
        # Extract user input
        user_input = prompt or (request.messages[-1].content if request else "")
        
        # Create and execute task
        task = Task(
            input=user_input,
            agent=agent,
            conf=TaskConfig(max_steps=5),
            session_id=getattr(request, 'session_id', None)
        )
        # Stream the agent's response
        async for output in Runners.streamed_run_task(task).stream_events():
            yield outputSetup environment variables:
# Navigate back to project root
cd ${agent-project-root-dir}
# Set your LLM credentials
export LLM_MODEL_NAME="gpt-4"
export LLM_API_KEY="your-api-key-here"
export LLM_BASE_URL="https://api.openai.com/v1"  # Optional for OpenAILaunch Your Agent:
# Option 1: Launch with Web UI
aworld web
# Then open http://localhost:8000 in your browser
# Option 2: Launch REST API (For integrations)
aworld api
# Then visit http://localhost:8000/docs for API documentationSuccess! Your agent is now running and ready to chat!



