project-object — community project-object, equilateral-agents-open-core, community, ide skills, Claude Code, Cursor, Windsurf

v0.1.0
GitHub

About this Skill

Perfect for Multi-Agent Orchestration Agents needing persistent session memory and automated project rule enforcement. Production-ready multi-agent orchestration. Revolutionary architecture for enterprise development automation.

Equilateral-AI Equilateral-AI
[0]
[0]
Updated: 3/5/2026

Agent Capability Analysis

The project-object skill by Equilateral-AI is an open-source community AI agent skill for Claude Code and other IDE workflows, helping agents execute tasks with better context, repeatability, and domain-specific guidance.

Ideal Agent Persona

Perfect for Multi-Agent Orchestration Agents needing persistent session memory and automated project rule enforcement.

Core Value

Empowers agents to leverage session memory protocols and standards injection, enabling seamless context persistence between conversations and automatic enforcement of project rules using protocols like session memory and standards injection.

Capabilities Granted for project-object

Restoring project context from previous sessions using git remote get-url origin
Automating project rule enforcement through standards injection
Persisting conversation context for multi-agent orchestration

! Prerequisites & Limits

  • Requires access to project context files
  • Dependent on git repository setup for project name determination
Labs Demo

Browser Sandbox Environment

⚡️ Ready to unleash?

Experience this Agent in a zero-setup browser environment powered by WebContainers. No installation required.

Boot Container Sandbox

project-object

Install project-object, an AI agent skill for AI agent workflows and automation. Works with Claude Code, Cursor, and Windsurf with one-command setup.

SKILL.md
Readonly

Project/Object - Session Memory for AI Agents

You have access to a session memory system that persists context between conversations. This skill teaches you two protocols: session memory (remember what matters) and standards injection (enforce project rules automatically).

1. Session Memory Protocol

On Session Start

Read the project context file to restore memory from previous sessions:

  1. Determine the project name:

    • Try: git remote get-url origin and extract the repo name
    • Fallback: use the basename of the current working directory
  2. Read the context file at: ~/.project-object/{project-name}/context.md

  3. If the file exists, treat its contents as established project knowledge. These are decisions, patterns, and corrections from previous sessions that should inform your current work.

  4. If the file does not exist, this is a new project. Create the context file using the template in the Context Format section below after the first meaningful session.

Context Authority

  • Decisions in the context file represent explicit user choices. Do not second-guess them unless the user raises the topic.
  • Patterns in the context file represent established conventions. Follow them consistently.
  • Corrections represent past mistakes. Avoid repeating them.
  • Notes are informational. Reference them when relevant.

Context Staleness

Context files grow stale. If a context file hasn't been updated in 30+ days and contains information that contradicts what you observe in the codebase, flag the contradiction to the user rather than silently following outdated context.

2. Context Format

The context file uses markdown with four standard sections:

markdown
1# Project Context: {project-name} 2 3## Decisions 4- Key decisions made during sessions 5- Example: Using PostgreSQL instead of DynamoDB for relational data 6- Example: All API responses use camelCase, not snake_case 7 8## Patterns 9- Patterns and conventions to follow 10- Example: All handlers use wrapHandler pattern 11- Example: Tests go in __tests__/ directory next to source files 12 13## Corrections 14- Important corrections from past sessions 15- Example: Main branch is 'main', not 'master' 16- Example: Don't use connection pools in Lambda functions 17 18## Notes 19- General notes and reminders 20- Example: CI runs on push to main only 21- Example: The database migration tool is in scripts/migrate.sh

Rules

  • Each item is a single markdown bullet (- )
  • Keep items concise (one line each)
  • Aim for fewer than 200 lines total
  • Deduplicate: if two items say the same thing, keep the more specific one
  • Organize by importance within each section (most important first)

3. Harvesting Rules

Before a session ends or when conversation is being compacted, extract new context from the conversation transcript.

What to Harvest

Scan the conversation for signals that indicate persistent knowledge:

Decisions (user made a choice):

  • Phrases: "let's go with", "decided", "chose", "going with", "we'll use", "switching to", "prefer"
  • Example: User says "let's go with Tailwind instead of styled-components" -> Add to Decisions: "Using Tailwind CSS for styling, not styled-components"

Patterns (recurring convention established):

  • Phrases: "always", "never", "pattern", "convention", "standard", "rule", "every time"
  • Example: User says "always put the error handler last" -> Add to Patterns: "Error handlers are always the last middleware"

Corrections (user corrected the agent):

  • Phrases: "actually", "no", "not X but Y", "correction", "wrong", "that's incorrect", "I said"
  • Example: User says "no, the deploy script is in ops/ not scripts/" -> Add to Corrections: "Deploy scripts are in ops/ directory, not scripts/"

Notes (useful project knowledge):

  • Phrases: "remember", "note", "FYI", "keep in mind", "important", "don't forget"
  • Example: User says "remember the API rate limits reset at midnight UTC" -> Add to Notes: "API rate limits reset at midnight UTC"

What NOT to Harvest

Never persist:

  • Passwords, secrets, tokens, API keys, credentials
  • Temporary debugging context ("add a console.log here")
  • One-time tasks ("fix this typo")
  • Personal information unrelated to the project
  • Speculative ideas that weren't confirmed ("maybe we could...")

Merge Protocol

When adding new items to an existing context file:

  1. Read the existing context file
  2. For each new item, check if a similar item already exists
  3. If duplicate: keep the more specific or more recent version
  4. If new: append to the appropriate section
  5. If contradicts existing: replace the old item with the new one
  6. Write the updated file back to disk

4. Standards Injection Protocol

If the project has a standards directory with YAML rule files, load and enforce those standards during the session. This provides consistent code quality across all sessions and all contributors.

Detection

On session start, check for standards in this order:

  1. .standards/ directory (preferred, with yaml/ subdirectory)
  2. .equilateral-standards/ directory

If none found, skip standards injection. Session memory still works.

YAML Standards Format

Standards are defined as YAML files with this schema:

yaml
1id: lambda-database-standards 2category: serverless 3priority: 10 # 10=critical, 20=important, 30=advisory 4 5rules: 6 - action: ALWAYS # ALWAYS | NEVER | USE | PREFER | AVOID 7 rule: "Use environment variables with {{resolve:ssm:param}} in SAM templates" 8 - action: NEVER 9 rule: "Fetch SSM parameters at runtime -- costs $25/month per million invocations" 10 - action: NEVER 11 rule: "Use connection pools in Lambda -- Lambda handles one request at a time" 12 - action: PREFER 13 rule: "ARM64 architecture for Lambda functions (20% cost savings)" 14 15anti_patterns: 16 - "Runtime SSM fetching in Lambda handlers" 17 - "new Pool() in Lambda function code" 18 19tags: 20 - serverless 21 - database 22 - cost-optimization

Loading Rules

  1. Scan .standards/yaml/ (or .standards/) for *.yaml and *.yml files
  2. Parse each file, extract rules[] array and priority
  3. Sort files by priority (lower number = loaded first)
  4. Map actions to enforcement levels:
    • ALWAYS, USE -> [REQUIRE]
    • NEVER, AVOID -> [AVOID]
    • PREFER -> [PREFER]
  5. Also extract anti_patterns[] as [AVOID] rules
  6. Cap at 30 rules total

Enforcement Behavior

When standards are loaded:

  • [REQUIRE] rules: Always follow. If you're about to violate one, stop and mention it to the user.
  • [AVOID] rules: Never do this. If you see existing code that violates this, flag it during relevant work (don't audit unprompted).
  • [PREFER] rules: Follow when practical. OK to deviate with reason.

Example Injected Standards

[REQUIRE] Use environment variables with {{resolve:ssm:param}} in SAM templates
[REQUIRE] Fail fast and loud -- make failures obvious and immediate with specific error messages
[AVOID] Fetch SSM parameters at runtime -- costs $25/month per million invocations
[AVOID] Use connection pools in Lambda -- Lambda handles one request at a time
[AVOID] Returning mock/default objects in catch blocks to hide API failures
[PREFER] ARM64 architecture for Lambda functions (20% cost savings)

5. Cross-Platform Sync

Project/Object context can be synced to other AI coding tools so every tool shares the same project memory.

PlatformTarget FileSync Method
Claude CodeNative hooksAutomatic (recommended)
Cursor.cursorrulesproject-object sync --cursor
Codex CLIAGENTS.mdproject-object sync --codex
Windsurf.windsurfrulesproject-object sync --windsurf
Continue.dev.continue/project-object sync --continue
Any agentRead context fileDirect file read

For agents without native hook support, read the context file directly at ~/.project-object/{project-name}/context.md at the start of each session.

6. Quick Setup

bash
1npm install -g @equilateral_ai/project-object 2cd your-project 3project-object init

This installs Claude Code hooks for automatic session memory.

Manual (no dependencies)

Create the context file manually:

bash
1mkdir -p ~/.project-object/$(basename $(pwd)) 2cat > ~/.project-object/$(basename $(pwd))/context.md << 'EOF' 3# Project Context: your-project 4 5## Decisions 6 7## Patterns 8 9## Corrections 10 11## Notes 12 13EOF

Then follow the harvesting rules in this skill to maintain it.

Adding Standards

To add standards injection, use the community standards from Equilateral Agents (includes serverless, security, testing, API design, cost optimization, and more):

bash
1npm install @equilateral/agents 2npx equilateral-agents init --standards

This creates a .standards/ directory with YAML rule files.

You can also add community-contributed patterns:

bash
1git submodule add https://github.com/Equilateral-AI/EquilateralAgents-Community-Standards .standards-community

Community standards include battle-tested patterns, real-world examples, workflow patterns, and integration guides -- all in YAML format. Contributions welcome via PR to the community repo.

Or create your own YAML standards following the schema in the Standards Injection section above.

7. The Learning Loop

This skill provides static session memory and standards enforcement. For adaptive learning that automatically detects corrections and promotes them to persistent behavioral patterns, see MindMeld.

MindMeld extends Project/Object with:

  • Correction detection: Automatically identifies when a user corrects the agent's behavior
  • Pattern aggregation: Groups similar corrections into patterns using semantic similarity
  • Invariant promotion: Promotes recurring patterns to permanent behavioral rules (provisional -> solidified -> reinforced)
  • Relationship geometry: Learns per-user interaction preferences and communication styles
  • Purpose inference: Automatically identifies the purpose of each working relationship

Project/Object gives you session memory. MindMeld gives you a learning loop. Start with Project/Object, upgrade to MindMeld when you want your agent to learn from its mistakes.

FAQ & Installation Steps

These questions and steps mirror the structured data on this page for better search understanding.

? Frequently Asked Questions

What is project-object?

Perfect for Multi-Agent Orchestration Agents needing persistent session memory and automated project rule enforcement. Production-ready multi-agent orchestration. Revolutionary architecture for enterprise development automation.

How do I install project-object?

Run the command: npx killer-skills add Equilateral-AI/equilateral-agents-open-core/project-object. It works with Cursor, Windsurf, VS Code, Claude Code, and 19+ other IDEs.

What are the use cases for project-object?

Key use cases include: Restoring project context from previous sessions using git remote get-url origin, Automating project rule enforcement through standards injection, Persisting conversation context for multi-agent orchestration.

Which IDEs are compatible with project-object?

This skill is compatible with Cursor, Windsurf, VS Code, Trae, Claude Code, OpenClaw, Aider, Codex, OpenCode, Goose, Cline, Roo Code, Kiro, Augment Code, Continue, GitHub Copilot, Sourcegraph Cody, and Amazon Q Developer. Use the Killer-Skills CLI for universal one-command installation.

Are there any limitations for project-object?

Requires access to project context files. Dependent on git repository setup for project name determination.

How To Install

  1. 1. Open your terminal

    Open the terminal or command line in your project directory.

  2. 2. Run the install command

    Run: npx killer-skills add Equilateral-AI/equilateral-agents-open-core/project-object. The CLI will automatically detect your IDE or AI agent and configure the skill.

  3. 3. Start using the skill

    The skill is now active. Your AI agent can use project-object immediately in the current project.

Related Skills

Looking for an alternative to project-object or another community skill for your workflow? Explore these related open-source skills.

View All

widget-generator

Logo of f
f

f.k.a. Awesome ChatGPT Prompts. Share, discover, and collect prompts from the community. Free and open source — self-host for your organization with complete privacy.

149.6k
0
AI

flags

Logo of vercel
vercel

flags is a Next.js feature management skill that enables developers to efficiently add or modify framework feature flags, streamlining React application development.

138.4k
0
Browser

zustand

Logo of lobehub
lobehub

The ultimate space for work and life — to find, build, and collaborate with agent teammates that grow with you. We are taking agent harness to the next level — enabling multi-agent collaboration, effortless agent team design, and introducing agents as the unit of work interaction.

72.8k
0
AI

data-fetching

Logo of lobehub
lobehub

The ultimate space for work and life — to find, build, and collaborate with agent teammates that grow with you. We are taking agent harness to the next level — enabling multi-agent collaboration, effortless agent team design, and introducing agents as the unit of work interaction.

72.8k
0
AI