A modern, LLM-native agent simulation platform for social science research
Project description
AgentSociety 2
AgentSociety 2 is a modern, LLM-native agent simulation platform designed for social science research and experimentation.
Features
- LLM-Native Design: Built from the ground up for LLM-driven agents
- Flexible Environment System: Modular environment components with hot-pluggable tools
- Multiple Reasoning Patterns: ReAct, Plan-Execute, Code Generation, and Two-Tier routers
- Developer-Friendly: Pythonic API with type hints and comprehensive documentation
- Experiment Replay: Full SQLite-based replay system for analysis and debugging
- MCP Support: Model Context Protocol integration for tool extensibility
Installation
pip install agentsociety2
Requirements
- Python >= 3.11
- An LLM API key (OpenAI, Anthropic, or any provider supported by litellm)
Quick Start
Create Your First Agent
import asyncio
from datetime import datetime
from agentsociety2 import PersonAgent
from agentsociety2.env import CodeGenRouter
from agentsociety2.contrib.env import SimpleSocialSpace
from agentsociety2.society import AgentSociety
async def main():
# Create an agent with a profile
agent = PersonAgent(
id=1,
profile={
"name": "Alice",
"age": 28,
"personality": "friendly and curious",
"bio": "A software engineer who loves hiking and reading."
}
)
# Create environment module with agent info
social_env = SimpleSocialSpace(
agent_id_name_pairs=[(agent.id, agent.name)]
)
# Create environment router
env_router = CodeGenRouter(env_modules=[social_env])
# Create the society
society = AgentSociety(
agents=[agent],
env_router=env_router,
start_t=datetime.now(),
)
# Initialize (sets up agents with environment)
await society.init()
# Query (read-only)
response = await society.ask("What's your favorite activity?")
print(f"Agent: {response}")
# Close the society
await society.close()
if __name__ == "__main__":
asyncio.run(main())
Create a Custom Environment Module
from agentsociety2.env import EnvBase, tool
class MyCustomEnvironment(EnvBase):
"""A custom environment module."""
@tool(readonly=True, kind="observe")
def get_weather(self, agent_id: int) -> str:
"""Get the current weather for an agent."""
return "The weather is sunny and 25°C."
@tool(readonly=False)
def set_mood(self, agent_id: int, mood: str) -> str:
"""Change the mood of an agent."""
return f"Agent {agent_id}'s mood is now {mood}."
# Use the custom module
from agentsociety2.env import ReActRouter
env = ReActRouter()
env.register_module(MyCustomEnvironment())
Run a Complete Experiment
import asyncio
from datetime import datetime
from pathlib import Path
from agentsociety2 import PersonAgent
from agentsociety2.env import CodeGenRouter
from agentsociety2.contrib.env import SimpleSocialSpace
from agentsociety2.storage import ReplayWriter
from agentsociety2.society import AgentSociety
async def main():
# Setup replay writer for environment dataset tracking
writer = ReplayWriter(Path("my_experiment.db"))
await writer.init()
# Create agents first (needed for SimpleSocialSpace)
agents = [
PersonAgent(id=i, profile={"name": f"Player{i}", "personality": "friendly"})
for i in range(1, 4)
]
# Create environment router
env_router = CodeGenRouter(
env_modules=[SimpleSocialSpace(
agent_id_name_pairs=[(a.id, a.name) for a in agents]
)],
replay_writer=writer,
)
# Create the society
society = AgentSociety(
agents=agents,
env_router=env_router,
start_t=datetime.now(),
replay_writer=writer,
)
await society.init()
# Query (read-only)
answer = await society.ask("What are the names of all agents?")
print(f"Answer: {answer}")
# Intervene (read-write)
result = await society.intervene("Set all agents' happiness to 0.8")
print(f"Result: {result}")
await society.close()
if __name__ == "__main__":
asyncio.run(main())
Core Concepts
Agents
Agents are autonomous entities that interact with environments through LLM-powered reasoning:
- AgentBase: Abstract base class for all agents
- PersonAgent: Skills-based agent — a lightweight orchestrator whose capabilities are provided by a pluggable skill pipeline
- Agents support two interaction modes:
ask(question, readonly=True): Query without side effectsintervene(instruction): Make changes to the environment
Agent Skills
PersonAgent follows a metadata-first, selected-only model. Skills are self-contained directories under agent/skills/:
agent/skills/
├── observation/ # SKILL.md + scripts/observation.py
├── memory/ # SKILL.md + scripts/memory.py
├── needs/ # SKILL.md + scripts/needs.py
├── cognition/ # SKILL.md + scripts/cognition.py
└── plan/ # SKILL.md + scripts/plan.py
Each skill has:
SKILL.md— YAML frontmatter (name, description, priority, requires/provides) + behavior docsscripts/<name>.py— exportsasync def run(agent, ctx)
Skills follow metadata-first selection:
- selection stage reads compact metadata (name/description/priority/requires/provides)
- execution stage loads and runs only LLM-selected skills (unselected skills do not run)
Custom skills can be placed in workspace/custom/skills/ and hot-loaded at runtime via the API or VSCode extension.
Environment Modules
Environment modules encapsulate specific functionality through tools:
- EnvBase: Base class for creating custom modules
- @tool decorator: Register methods as discoverable tools
- Tool kinds:
observe: Single-parameter observation functionsstatistics: No-parameter aggregation functions- Regular tools: Full read/write operations
Routers
Routers mediate agent-environment interactions using different reasoning patterns:
- ReActRouter: Reasoning + Acting loop
- PlanExecuteRouter: Plan-first, then execute
- CodeGenRouter: Code generation based tool use
- TwoTierReActRouter: Two-level reasoning hierarchy
- TwoTierPlanExecuteRouter: Two-level planning hierarchy
Storage
AgentSociety 2 currently has two persistence paths:
from agentsociety2.storage import ReplayWriter
from pathlib import Path
writer = ReplayWriter(Path("experiment.db"))
await writer.init()
# Replay catalog tables (auto-created):
# - replay_dataset_catalog
# - replay_column_catalog
# Environment modules can register and write their own replay tables.
from agentsociety2.storage import ColumnDef, TableSchema
schema = TableSchema(
name="custom_metrics",
columns=[
ColumnDef("metric_id", "INTEGER", nullable=False),
ColumnDef("value", "REAL"),
],
primary_key=["metric_id"],
)
await writer.register_table(schema)
- ReplayWriter / SQLite: stores environment replay datasets plus dataset/column catalog metadata.
- PersonAgent workspace: stores per-agent local files under
run/agents/agent_xxxx/, such asagent_config.json,session_state.json,tool_calls.jsonl, andthread_messages.jsonl.
Legacy SQLite tables like agent_profile, agent_status, and agent_dialog are kept only for compatibility when reading old experiment databases; new runs no longer write them.
Configuration
Set your LLM API credentials via environment variables:
Required Configuration
# Default LLM (required - used for most operations)
export AGENTSOCIETY_LLM_API_KEY="your-api-key"
export AGENTSOCIETY_LLM_API_BASE="https://api.openai.com/v1"
export AGENTSOCIETY_LLM_MODEL="gpt-4o-mini"
Optional Configuration
For specialized tasks, you can configure separate LLM instances:
# Code Generation LLM (for code-related tasks)
# Falls back to default LLM if not set
export AGENTSOCIETY_CODER_LLM_API_KEY="your-coder-api-key"
export AGENTSOCIETY_CODER_LLM_API_BASE="https://api.openai.com/v1"
export AGENTSOCIETY_CODER_LLM_MODEL="gpt-4o"
# Nano LLM (for high-frequency, low-latency operations)
# Falls back to default LLM if not set
export AGENTSOCIETY_NANO_LLM_API_KEY="your-nano-api-key"
export AGENTSOCIETY_NANO_LLM_API_BASE="https://api.openai.com/v1"
export AGENTSOCIETY_NANO_LLM_MODEL="gpt-4o-mini"
# Embedding Model (for text embeddings and semantic search)
# Falls back to default LLM if not set
export AGENTSOCIETY_EMBEDDING_API_KEY="your-embedding-api-key"
export AGENTSOCIETY_EMBEDDING_API_BASE="https://api.openai.com/v1"
export AGENTSOCIETY_EMBEDDING_MODEL="text-embedding-3-small"
export AGENTSOCIETY_EMBEDDING_DIMS="1536"
# Data directory (optional, default: ./agentsociety_data)
export AGENTSOCIETY_HOME_DIR="/path/to/your/data"
Or use a .env file:
cp .env.example .env
# Edit .env with your credentials
Examples
The examples/ directory contains ready-to-run examples:
basics/: Basic agent and environment usagegames/: Classic game theory simulations- Prisoner's Dilemma
- Public Goods Game
- Trust Game
- Volunteer's Dilemma
- Commons Tragedy
advanced/: Advanced usage patterns- Custom environment modules
- Multi-router setups
- Experiment replay and analysis
Documentation
Development
For development and contribution guidelines, see DEVELOPMENT.md.
Contributing
We welcome contributions! Please see CONTRIBUTING.md for details.
Citation
If you use AgentSociety 2 in your research, please cite:
@software{agentsociety2,
title = {AgentSociety 2: A Modern LLM-Native Agent Simulation Platform},
author = {Zhang, Jun and others},
year = {2025},
url = {https://github.com/tsinghua-fib-lab/agentsociety}
}
License
Apache License 2.0 - see LICENSE for details.
Acknowledgments
AgentSociety 2 builds upon excellent open-source projects:
- litellm - Unified LLM API
- mem0ai - Memory management
- FastAPI - Backend API framework
- Pydantic - Data validation
Contact
- Issues: GitHub Issues
- Discussions: GitHub Discussions
For the original AgentSociety (v1.x) focused on city simulation, see the agentsociety package.
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file agentsociety2-2.1.4.tar.gz.
File metadata
- Download URL: agentsociety2-2.1.4.tar.gz
- Upload date:
- Size: 472.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
6b0642657ff6a0d6bd35ded594d4b607e60f3129099525d6c7141f69acc2073c
|
|
| MD5 |
bc749dd3496382cb8e26c70145bbacd1
|
|
| BLAKE2b-256 |
94e63663e853faaaea28c1aa23a42e871260a4ea278285beaf83f7906db7835d
|
Provenance
The following attestation bundles were made for agentsociety2-2.1.4.tar.gz:
Publisher:
agentsociety2-publish.yml on tsinghua-fib-lab/AgentSociety
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
agentsociety2-2.1.4.tar.gz -
Subject digest:
6b0642657ff6a0d6bd35ded594d4b607e60f3129099525d6c7141f69acc2073c - Sigstore transparency entry: 1304742060
- Sigstore integration time:
-
Permalink:
tsinghua-fib-lab/AgentSociety@e7a03df29843501b16100b6a2224e1131b9d097f -
Branch / Tag:
refs/tags/agentsociety2-v2.1.4 - Owner: https://github.com/tsinghua-fib-lab
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
agentsociety2-publish.yml@e7a03df29843501b16100b6a2224e1131b9d097f -
Trigger Event:
push
-
Statement type:
File details
Details for the file agentsociety2-2.1.4-py3-none-any.whl.
File metadata
- Download URL: agentsociety2-2.1.4-py3-none-any.whl
- Upload date:
- Size: 608.8 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1789e03570f2182658924361685b2bf0064b4261a8f5319f145cfcffcb4a323b
|
|
| MD5 |
6e6211c6d645711ddb4b20e68785c71d
|
|
| BLAKE2b-256 |
733921dc961895b47a14911469af2e965b1b6d557a5fbe875dbe7da0b4d669f4
|
Provenance
The following attestation bundles were made for agentsociety2-2.1.4-py3-none-any.whl:
Publisher:
agentsociety2-publish.yml on tsinghua-fib-lab/AgentSociety
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
agentsociety2-2.1.4-py3-none-any.whl -
Subject digest:
1789e03570f2182658924361685b2bf0064b4261a8f5319f145cfcffcb4a323b - Sigstore transparency entry: 1304742169
- Sigstore integration time:
-
Permalink:
tsinghua-fib-lab/AgentSociety@e7a03df29843501b16100b6a2224e1131b9d097f -
Branch / Tag:
refs/tags/agentsociety2-v2.1.4 - Owner: https://github.com/tsinghua-fib-lab
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
agentsociety2-publish.yml@e7a03df29843501b16100b6a2224e1131b9d097f -
Trigger Event:
push
-
Statement type: