Implementation Status
The FeatureAgent LangGraph graph is implemented at
packages/core/src/infrastructure/services/agents/feature-agent/with background execution support, validation/repair loops, and human-in-the-loop approval. The AnalyzeRepository graph is implemented atpackages/core/src/infrastructure/services/agents/analyze-repo/. The multi-agent supervisor pattern described later in this document remains planned architecture.See AGENTS.md for full implementation details including the directory structure, state schema, graph flow, and node descriptions.
ARCHITECTURAL RULE: Whether using the current executor-based system or the planned LangGraph system, agent type resolution MUST always come from
getSettings().agent.typeviaAgentExecutorFactory.createExecutor(). No node, graph, use case, or worker may hardcode, guess, or default an agent type. This rule applies to ALL current and future agent implementations.
See AGENTS.md – Settings-Driven Agent Resolution for the full rule and resolution flow.
Multi-stage workflow orchestration using LangGraph StateGraphs with agent-agnostic execution. The FeatureAgent and AnalyzeRepository graphs are implemented; the multi-agent supervisor pattern is planned.
Shep implements a state-based workflow system using LangGraph for multi-stage feature development. Nodes are pure async functions that process and update state. Agent execution is delegated to an IAgentExecutor implementation (Claude Code, Gemini CLI, Aider, Cursor, etc.) resolved via settings.
+-----------------------------------------+
| FeatureWorkflow (StateGraph) |
+-----------------------------------------+
| |
| [Analyze] --> [Gather Req] --> [Plan] |
| | |
| (loop until |
| clear) |
| | |
| v |
| [Implement] --> [END] |
| |
| State: typed, immutable updates |
| Execution: IAgentExecutor (delegated) |
| |
+-----------------------------------------+
IAgentExecutor implementations resolved via settingsTyped workflow definition using LangGraph’s StateGraph:
import { Annotation } from '@langchain/langgraph';
export const FeatureState = Annotation.Root({
repoPath: Annotation<string>,
requirements: Annotation<Requirement[]>({
reducer: (prev, next) => [...prev, ...next],
default: () => [],
}),
plan: Annotation<Plan | null>,
tasks: Annotation<Task[]>({
reducer: (prev, next) => [...prev, ...next],
default: () => [],
}),
messages: Annotation<string[]>({
reducer: (prev, next) => [...prev, ...next],
default: () => [],
}),
});
export type FeatureStateType = typeof FeatureState.State;
Functions that process and update state by delegating to IAgentExecutor:
function createAnalyzeNode(executor: IAgentExecutor) {
return async (
state: AnalyzeRepositoryStateType
): Promise<Partial<AnalyzeRepositoryStateType>> => {
const prompt = buildAnalyzePrompt(state.repositoryPath);
const result = await executor.execute(prompt, {
cwd: state.repositoryPath,
});
return { analysisMarkdown: result.result };
};
}
Connections defining workflow progression:
// Direct edge: always go from A to B
graph.addEdge('analyze', 'requirements');
// Conditional edge: choose based on state
graph.addConditionalEdges('requirements', (state) => {
if (allRequirementsClear(state)) return 'plan';
return 'requirements'; // Loop back for clarification
});
Located at packages/core/src/infrastructure/services/agents/analyze-repo/. Single-node graph that generates a repository analysis document.
Located at packages/core/src/infrastructure/services/agents/feature-agent/. Full SDLC workflow graph with:
Key files:
feature-agent-graph.ts – Full SDLC graph definitionfast-feature-agent-graph.ts – Simplified fast-mode graphfeature-agent-process.service.ts – Process managementfeature-agent-worker.ts – Background workerstate.ts – State annotationnodes/ – Individual node implementationsThe agent system uses these key interfaces (defined in packages/core/src/application/ports/output/agents/):
| Interface | Purpose |
|---|---|
IAgentExecutor |
Execute prompts against an AI coding agent |
IAgentExecutorFactory |
Create executor instances for a given agent type |
IAgentExecutorProvider |
Resolve the current executor from settings |
IAgentRegistry |
Register and discover agent definitions |
IAgentRunner |
Run agent workflows with lifecycle management |
IAgentValidator |
Validate agent tool availability |
IFeatureAgentProcessService |
Manage feature agent background processes |
IStructuredAgentCaller |
Make structured (typed) calls to agents |
| Stage | Node | Responsibility |
|---|---|---|
| Analyze | analyzeNode |
Parse codebase structure, patterns, tech stack |
| Requirements | requirementsNode |
Gather requirements via conversation, validate clarity |
| Plan | planNode |
Decompose into tasks, create artifacts (PRD, RFC, Tech Plan) |
| Implement | implementNode |
Execute tasks respecting dependency graph |
For implementation details, see docs/development/adding-agents.md.
Update when:
Related docs: