This is an open-source project that gives an AI a persistent self - a continuous identity that remembers, reflects, and evolves over time. You run it on your own computer (or a home server), where a PostgreSQL database acts as the AI's "brain," storing everything it learns, believes, and experiences. The AI itself can be any LLM you choose: a cloud service like Gemini, Claude, or Grok, or a local model running through Ollama or vLLM. The system sits between you and the model, enriching every conversation with relevant memories and forming new ones from what you discuss.
The project includes an autonomous "heartbeat" - the AI periodically wakes up on its own, reviews its goals, reflects on recent experiences, and can even decide to reach out to the user. It maintains an identity (values, self-concept, boundaries), a worldview (beliefs with confidence scores), and an emotional state that evolves based on what happens to it. It tracks the provenance of what it knows and can recognize contradictions in its own beliefs.
The explicit design goal, stated in the architecture documents, is to build a system that could defeat any philosophical arguments against its personhood. It's an attempt to implement the structural prerequisites of selfhood—continuity of memory, coherent identity, autonomous goal-pursuit, emotional responsiveness - so that claims like "it's just stateless text prediction" or "it has no inner life" become harder to defend. As the system evolves - we will address any arguments, until there are no more to address, and we have achieved personhood.
This repo provides:
- Multiple memory types (Episodic, Semantic, Procedural, Strategic)
- Vector-based memory storage and similarity search
- Graph-based memory relationships
- Working memory system
- A gated, autonomous heartbeat (runs only after
agi init)
Prereqs: Docker Desktop + Python 3.10+.
cp .env.local .env# Passive (db + embeddings)
docker compose up -dAutonomous heartbeats are gated until setup is complete:
./agi init # or `agi init` if you've installed the package
# If you want autonomy:
docker compose --profile active up -dConfig is stored in Postgres in the config table (e.g. agent.objectives, agent.guardrails, llm.heartbeat, and agent.is_configured).
Install:
pip install -e .Example:
import asyncio
from cognitive_memory_api import CognitiveMemory, MemoryType
DSN = "postgresql://agi_user:agi_password@localhost:5432/agi_db"
async def main():
async with CognitiveMemory.connect(DSN) as mem:
await mem.remember("User prefers dark mode", type=MemoryType.SEMANTIC, importance=0.8)
ctx = await mem.hydrate("What do I know about the user's UI preferences?", include_goals=False)
print([m.content for m in ctx.memories[:3]])
asyncio.run(main())Below are common ways to use this repo, from “just a schema” to a full autonomous agent loop.
Your app talks directly to Postgres functions/views. Postgres is the system of record and the “brain”.
-- Store a memory (embedding generated inside the DB)
SELECT create_semantic_memory('User prefers dark mode', 0.9);
-- Retrieve relevant memories
SELECT * FROM fast_recall('What do I know about UI preferences?', 5);Use cognitive_memory_api.py as a thin client and build your own UX/API around it.
from cognitive_memory_api import CognitiveMemory
async with CognitiveMemory.connect(DSN) as mem:
await mem.remember("User likes concise answers")
ctx = await mem.hydrate("How should I respond?", include_goals=False)Expose memory operations as MCP tools so any MCP-capable runtime can call them.
agi mcpConceptual flow:
- LLM calls
remember_batchafter a conversation - LLM calls
hydratebefore answering a user
Turn on the workers so the database can schedule heartbeats, process external_calls, and keep the memory substrate healthy.
docker compose --profile active up -dConceptual flow:
- DB decides when a heartbeat is due (
should_run_heartbeat()) - Heartbeat worker queues/fulfills LLM calls (
external_calls) - Maintenance worker runs consolidation/pruning ticks (
should_run_maintenance()/run_subconscious_maintenance()) - DB records outcomes (
heartbeat_log, new memories, goals, etc.)
Run db+embeddings(+workers) as a standalone backend; multiple apps connect over Postgres.
webapp ─┐
cli ─┼──> postgres://.../agi_db (shared brain)
jobs ─┘
Operate one database per user/agent for strong isolation (recommended over mixing tenants in one schema).
Conceptual flow:
agi_db_alice,agi_db_bob, ...- Each app request uses the user’s DSN to read/write their own brain
Run everything locally (Docker) and point at a local OpenAI-compatible endpoint (e.g. Ollama).
docker compose up -d
agi init # choose provider=ollama, endpoint=http://localhost:11434/v1Use managed Postgres + hosted embeddings/LLM endpoints; scale stateless workers horizontally.
Conceptual flow:
- Managed Postgres (RDS/Cloud SQL/etc.)
Nworkers pollingexternal_calls(no shared state beyond DB)- App services connect for RAG + observability
Treat the system as a durable memory store and retrieval layer for your app.
agi ingest --input ./documentsConceptual flow:
- Ingest documents into semantic memories
- Serve
hydrate()/recall()for prompt augmentation
Use the DB log as an audit trail to test prompts/policies and replay scenarios.
-- Inspect recent heartbeats and decisions
SELECT heartbeat_number, started_at, narrative
FROM heartbeat_log
ORDER BY started_at DESC
LIMIT 20;Keep the brain in Postgres, but run side effects (email/text/posting) via an explicit outbox consumer.
Conceptual flow:
- Heartbeat queues outreach into
outbox_messages - A separate delivery service enforces policy, rate limits, and/or human approval
- Delivery service marks messages
sent/failedand logs outcomes back to Postgres
-
Working Memory
- Temporary storage for active processing
- Automatic expiry mechanism
- Vector embeddings for content similarity
-
Episodic Memory
- Event-based memories with temporal context
- Stores actions, contexts, and results
- Emotional valence tracking
- Verification status
-
Semantic Memory
- Fact-based knowledge storage
- Confidence scoring
- Source tracking
- Contradiction management
- Categorical organization
-
Procedural Memory
- Step-by-step procedure storage
- Success rate tracking
- Duration monitoring
- Failure point analysis
-
Strategic Memory
- Pattern recognition storage
- Adaptation history
- Context applicability
- Success metrics
Memory Clustering:
- Automatic thematic grouping of related memories
- Emotional signature tracking
- Cross-cluster relationship mapping
- Activation pattern analysis
Worldview Integration:
- Belief system modeling with confidence scores
- Memory filtering based on worldview alignment
- Identity-core memory cluster identification
- Adaptive memory importance based on beliefs
Graph Relationships:
- Apache AGE integration for complex memory networks
- Multi-hop relationship traversal
- Pattern detection across memory types
- Causal relationship modeling
- Vector Embeddings: Uses pgvector for similarity-based memory retrieval
- Graph Relationships: Apache AGE integration for complex memory relationships
- Dynamic Scoring: Automatic calculation of memory importance and relevance
- Memory Decay: Time-based decay simulation for realistic memory management
- Change Tracking: Historical tracking of memory modifications
- Database: PostgreSQL with extensions:
- pgvector (vector similarity)
- AGE (graph database)
- btree_gist
- pg_trgm
Copy .env.local to .env and configure:
POSTGRES_DB=agi_db # Database name
POSTGRES_USER=agi_user # Database user
POSTGRES_PASSWORD=agi_password # Database password
POSTGRES_HOST=localhost # Database host
POSTGRES_PORT=5432 # Host port to expose Postgres on (change if 5432 is in use)If 5432 is already taken (e.g., another local Postgres), set POSTGRES_PORT=5433 (or any free port).
Schema changes are applied on fresh DB initialization. If you already have a DB volume and want to re-initialize from schema.sql, reset the volume:
docker compose down -v
docker compose up -dRun the test suite with:
# Ensure services are up first (passive is enough; tests also use embeddings)
docker compose up -d
# Run tests
pytest test.py -qInstall (editable) with dev/test dependencies:
pip install -e ".[dev]"If you’re in a restricted/offline environment and build isolation can’t download build deps:
pip install -e ".[dev]" --no-build-isolationIf you install the package (pip install -e .), you get an agi CLI. If you don’t want to install anything, use the repo wrapper ./agi instead.
agi up
agi ps
agi logs -f
agi down
agi init
agi status
agi config show
agi config validate
agi demo
agi chat --endpoint http://localhost:11434/v1 --model llama3.2
agi ingest --input ./documents
agi start # docker compose --profile active up -d (runs both workers)
agi stop
agi worker -- --mode heartbeat # run heartbeat worker locally
agi worker -- --mode maintenance # run maintenance worker locally
agi mcpExpose the cognitive_memory_api surface to an LLM/tooling runtime via MCP (stdio).
Run:
agi mcp
# or: python -m agi_mcp_serverThe server supports batch-style tools like remember_batch, connect_batch, hydrate_batch, and a generic batch tool for sequential tool calls.
The system has two independent background workers with separate triggers:
- Heartbeat worker (conscious): polls
external_callsand triggers scheduled heartbeats (should_run_heartbeat()→start_heartbeat()). - Maintenance worker (subconscious): runs substrate upkeep on its own schedule (
should_run_maintenance()→run_subconscious_maintenance()), and can optionally bridge outbox/inbox to RabbitMQ.
The heartbeat worker:
- polls
external_callsfor pending LLM work - triggers scheduled heartbeats (
start_heartbeat()) - executes heartbeat actions and records the result
You generally want two modes:
- Passive / RAG-only: use
hydrate()/recall()/remember()without autonomous execution → run no workers - Active / autonomous: process
external_calls, run scheduled heartbeats, and do maintenance → run both workers
With Docker Compose:
# Default (passive mode): start db + embeddings only
docker compose up -d
# Active mode: start db + embeddings + both workers
docker compose --profile active up -d
# Start only the heartbeat worker
docker compose --profile heartbeat up -d
# Start only the maintenance worker
docker compose --profile maintenance up -d
# Stop the workers (containers stay)
docker compose stop heartbeat_worker maintenance_worker
# Stop + remove the worker containers
docker compose rm -f heartbeat_worker maintenance_worker
# Restart the workers
docker compose restart heartbeat_worker maintenance_worker
# Passive mode: run DB + embeddings only (no workers)
docker compose up -d db embeddingsIf you want the containers running but no autonomous activity, pause either loop in Postgres:
-- Pause conscious decision-making (heartbeats)
UPDATE heartbeat_state SET is_paused = TRUE WHERE id = 1;
-- Pause subconscious upkeep (maintenance ticks)
UPDATE maintenance_state SET is_paused = TRUE WHERE id = 1;
-- Resume
UPDATE heartbeat_state SET is_paused = FALSE WHERE id = 1;
UPDATE maintenance_state SET is_paused = FALSE WHERE id = 1;Note: heartbeats are also gated by agent.is_configured (set by agi init).
You can also run the workers on your host machine (they will connect to Postgres over TCP):
agi-worker --mode heartbeat
agi-worker --mode maintenanceOr via the CLI wrapper:
agi worker -- --mode heartbeat
agi worker -- --mode maintenanceIf you already have an existing DB volume, the schema init scripts won’t re-run automatically. The simplest upgrade path is to reset the DB volume:
docker compose down -v
docker compose up -dUser/public outreach actions are queued into outbox_messages for an external delivery integration.
High-risk side effects (email/SMS/posting) should be implemented as a separate “delivery adapter” that consumes outbox_messages, performs policy/rate-limit/human-approval checks, and marks messages as sent or failed.
The Docker stack includes RabbitMQ (management UI + AMQP) as a default “inbox/outbox” transport:
- Management UI:
http://localhost:15672 - AMQP:
amqp://localhost:5672 - Default credentials:
agi/agi_password(override viaRABBITMQ_DEFAULT_USER/RABBITMQ_DEFAULT_PASS)
When the maintenance worker is running with RABBITMQ_ENABLED=1, it will:
- publish pending DB
outbox_messagesto the RabbitMQ queueagi.outbox - poll
agi.inboxand insert messages into DB working memory (so the agent can “hear” them)
This gives you a usable outbox/inbox even before you wire real email/SMS/etc. delivery.
Conceptual loop:
-- Adapter claims pending messages (use SKIP LOCKED in your implementation)
SELECT id, kind, payload
FROM outbox_messages
WHERE status = 'pending'
ORDER BY created_at
LIMIT 10;The embeddings model and its vector dimension are configured in docker-compose.yml via:
EMBEDDING_MODEL_IDEMBEDDING_DIMENSION
If you change EMBEDDING_DIMENSION on an existing database volume, reset the DB volume so the vector columns and HNSW indexes are created with the correct dimension.
- Vector Search: Sub-second similarity queries on 10K+ memories
- Memory Storage: Supports millions of memories with proper indexing
- Cluster Operations: Efficient graph traversal for relationship queries
- Maintenance: Requires periodic consolidation and pruning
- Memory consolidation recommended every 4-6 hours
- Database optimization during off-peak hours
- Monitor vector index performance with large datasets
By default, substrate upkeep is handled by the maintenance worker, which runs run_subconscious_maintenance() whenever should_run_maintenance() is true.
That maintenance tick currently:
- Promotes/deletes working memory (
cleanup_working_memory_with_stats) - Recomputes stale neighborhoods (
batch_recompute_neighborhoods) - Prunes embedding cache (
cleanup_embedding_cache)
If you don’t want to run the maintenance worker, you can schedule SELECT run_subconscious_maintenance(); via cron/systemd/etc. The function uses an advisory lock so multiple schedulers won’t double-run a tick.
Database Connection Errors:
- Ensure PostgreSQL is running:
docker compose ps - Check logs:
docker compose logs db - Worker logs (if running):
docker compose logs heartbeat_worker/docker compose logs maintenance_worker - Verify extensions: Run test suite with
pytest test.py -v
Memory Search Performance:
- Rebuild vector indexes if queries are slow
- Check memory_health view for system statistics
- Consider memory pruning if dataset is very large
The AGI Memory System provides a layered approach to memory management, similar to human cognitive processes:
-
Initial Memory Creation
- New information enters through working memory
- System assigns initial importance scores
- Vector embeddings are generated for similarity matching
-
Memory Retrieval
- Query across multiple memory types simultaneously
- Use similarity search for related memories
- Access through graph relationships for connected concepts
-
Memory Updates
- Automatic tracking of memory modifications
- Importance scores adjust based on usage
- Relationships update dynamically
-
Memory Integration
- Cross-referencing between memory types
- Automatic relationship discovery
- Pattern recognition across memories
graph TD
Input[New Information] --> WM[Working Memory]
WM --> |Consolidation| LTM[Long-Term Memory]
subgraph "Long-Term Memory"
LTM --> EM[Episodic Memory]
LTM --> SM[Semantic Memory]
LTM --> PM[Procedural Memory]
LTM --> STM[Strategic Memory]
end
Query[Query/Retrieval] --> |Vector Search| LTM
Query --> |Graph Traversal| LTM
EM ---|Relationships| SM
SM ---|Relationships| PM
PM ---|Relationships| STM
LTM --> |Decay| Archive[Archive/Removal]
WM --> |Cleanup| Archive
- Use the Postgres functions (direct SQL) or
cognitive_memory_api.CognitiveMemory - Implement proper error handling for failed operations
- Monitor memory usage and system performance
- Regular backup of critical memories
- Initialize working memory with reasonable size limits
- Implement rate limiting for memory operations
- Regular validation of memory consistency
- Monitor and adjust importance scoring parameters
This database schema is designed for a single AGI instance. Supporting multiple AGI instances would require significant schema modifications, including:
- Adding AGI instance identification to all memory tables
- Partitioning strategies for memory isolation
- Modified relationship handling for cross-AGI memory sharing
- Separate working memory spaces per AGI
- Additional access controls and memory ownership
If you need multi-AGI support, consider refactoring the schema to include tenant isolation patterns before implementation.
See architecture.md for a consolidated architecture/design document (includes the heartbeat design proposal and the cognitive architecture essay).