Purpose: Reference document: Architecture Types Reference Detail Level: Full reference
/**
* PatternGraph - Unified view of all extracted patterns
*
* Contains raw patterns plus pre-computed views and statistics.
* This is the primary data structure passed to generators and sections.
*
*/PatternGraphSchema = z.object({
// ─────────────────────────────────────────────────────────────────────────
// Raw Data
// ─────────────────────────────────────────────────────────────────────────
/** All extracted patterns (both TypeScript and Gherkin) */
patterns: z.array(ExtractedPatternSchema),
/** Tag registry for category lookups */
tagRegistry: TagRegistrySchema,
// Note: workflow is not in the Zod schema because LoadedWorkflow contains Maps
// (statusMap, phaseMap) which are not JSON-serializable. When workflow access
// is needed, get it from SectionContext/GeneratorContext instead.
// ─────────────────────────────────────────────────────────────────────────
// Pre-computed Views
// ─────────────────────────────────────────────────────────────────────────
/** Patterns grouped by normalized status */
byStatus: StatusGroupsSchema,
/** Patterns grouped by phase number (sorted ascending) */
byPhase: z.array(PhaseGroupSchema),
/** Patterns grouped by quarter (e.g., "Q4-2024") */
byQuarter: z.record(z.string(), z.array(ExtractedPatternSchema)),
/** Patterns grouped by category */
byCategory: z.record(z.string(), z.array(ExtractedPatternSchema)),
/** Patterns grouped by source type */
bySourceType: SourceViewsSchema,
/** Patterns grouped by product area (for O(1) product area lookups) */
byProductArea: z.record(z.string(), z.array(ExtractedPatternSchema)),
// ─────────────────────────────────────────────────────────────────────────
// Aggregate Statistics
// ─────────────────────────────────────────────────────────────────────────
/** Overall status counts */
counts: StatusCountsSchema,
/** Number of distinct phases */
phaseCount: z.number().int().nonnegative(),
/** Number of distinct categories */
categoryCount: z.number().int().nonnegative(),
// ─────────────────────────────────────────────────────────────────────────
// Relationship Data (optional)
// ─────────────────────────────────────────────────────────────────────────
/** Optional relationship index for dependency graph */
relationshipIndex: z.record(z.string(), RelationshipEntrySchema).optional(),
// ─────────────────────────────────────────────────────────────────────────
// Architecture Data (optional)
// ─────────────────────────────────────────────────────────────────────────
/** Optional architecture index for diagram generation */
archIndex: ArchIndexSchema.optional(),
// ─────────────────────────────────────────────────────────────────────────
// Sequence Data (optional)
// ─────────────────────────────────────────────────────────────────────────
/** Optional sequence index for design review diagram generation */
sequenceIndex: SequenceIndexSchema.optional(),
});/**
* Status-based grouping of patterns
*
* Patterns are normalized to three canonical states:
* - completed: completed
* - active: active
* - planned: roadmap, deferred, or undefined/unknown
*
*/StatusGroupsSchema = z.object({
/** Patterns with status 'completed' */
completed: z.array(ExtractedPatternSchema),
/** Patterns with status 'active' */
active: z.array(ExtractedPatternSchema),
/** Patterns with status 'roadmap', 'deferred', or undefined/unknown */
planned: z.array(ExtractedPatternSchema),
});/**
* Status counts for aggregate statistics
*
*/StatusCountsSchema = z.object({
/** Number of completed patterns */
completed: z.number().int().nonnegative(),
/** Number of active patterns */
active: z.number().int().nonnegative(),
/** Number of planned patterns */
planned: z.number().int().nonnegative(),
/** Total number of patterns */
total: z.number().int().nonnegative(),
});/**
* Phase grouping with patterns and counts
*
* Groups patterns by their phase number, with pre-computed
* status counts for each phase.
*
*/PhaseGroupSchema = z.object({
/** Phase number (e.g., 1, 2, 3, 14, 39) */
phaseNumber: z.number().int(),
/** Optional phase name from workflow config */
phaseName: z.string().optional(),
/** Patterns in this phase */
patterns: z.array(ExtractedPatternSchema),
/** Pre-computed status counts for this phase */
counts: StatusCountsSchema,
});/**
* Source-based views for different data origins
*
*/SourceViewsSchema = z.object({
/** Patterns from TypeScript files (.ts) */
typescript: z.array(ExtractedPatternSchema),
/** Patterns from Gherkin feature files (.feature) */
gherkin: z.array(ExtractedPatternSchema),
/** Patterns with phase metadata (roadmap items) */
roadmap: z.array(ExtractedPatternSchema),
/** Patterns with PRD metadata (productArea, userRole, businessValue) */
prd: z.array(ExtractedPatternSchema),
});/**
* Relationship index for dependency tracking
*
* Maps pattern names to their relationship metadata.
*
*/RelationshipEntrySchema = z.object({
/** Patterns this pattern uses (from @architect-uses) */
uses: z.array(z.string()),
/** Patterns that use this pattern (from @architect-used-by) */
usedBy: z.array(z.string()),
/** Patterns this pattern depends on (from @architect-depends-on) */
dependsOn: z.array(z.string()),
/** Patterns this pattern enables (from @architect-enables) */
enables: z.array(z.string()),
// UML-inspired relationship fields (PatternRelationshipModel)
/** Patterns this item implements (realization relationship) */
implementsPatterns: z.array(z.string()),
/** Files/patterns that implement this pattern (computed inverse with file paths) */
implementedBy: z.array(ImplementationRefSchema),
/** Pattern this extends (generalization relationship) */
extendsPattern: z.string().optional(),
/** Patterns that extend this pattern (computed inverse) */
extendedBy: z.array(z.string()),
/** Related patterns for cross-reference without dependency (from @architect-see-also tag) */
seeAlso: z.array(z.string()),
/** File paths to implementation APIs (from @architect-api-ref tag) */
apiRef: z.array(z.string()),
});/**
* Runtime PatternGraph with optional workflow
*
* Extends the Zod-compatible PatternGraph with workflow reference.
* LoadedWorkflow contains Maps which aren't JSON-serializable,
* so it's kept separate from the Zod schema.
*
*/interface RuntimePatternGraph extends PatternGraph {
/** Optional workflow configuration (not serializable) */
readonly workflow?: LoadedWorkflow;
}| Property | Description |
|---|---|
| workflow | Optional workflow configuration (not serializable) |
/**
* Raw input data for transformation
*
*/interface RawDataset {
/** Extracted patterns from TypeScript and/or Gherkin sources */
readonly patterns: readonly ExtractedPattern[];
/** Tag registry for category lookups */
readonly tagRegistry: TagRegistry;
/** Optional workflow configuration for phase names (can be undefined) */
readonly workflow?: LoadedWorkflow | undefined;
/** Optional rules for inferring bounded context from file paths */
readonly contextInferenceRules?: readonly ContextInferenceRule[] | undefined;
}| Property | Description |
|---|---|
| patterns | Extracted patterns from TypeScript and/or Gherkin sources |
| tagRegistry | Tag registry for category lookups |
| workflow | Optional workflow configuration for phase names (can be undefined) |
| contextInferenceRules | Optional rules for inferring bounded context from file paths |
/**
* Options for building a PatternGraph via the shared pipeline.
*
* DD-1: Factory lives at src/generators/pipeline/build-pipeline.ts.
* DD-2: mergeConflictStrategy controls per-consumer conflict handling.
* DD-3: exclude, contextInferenceRules support future orchestrator
* migration without breaking changes.
*
*/interface PipelineOptions {
readonly input: readonly string[];
readonly features: readonly string[];
readonly baseDir: string;
readonly mergeConflictStrategy: 'fatal' | 'concatenate';
readonly exclude?: readonly string[];
readonly workflowPath?: string;
readonly contextInferenceRules?: readonly ContextInferenceRule[];
/** DD-3: When false, skip validation pass (default true). */
readonly includeValidation?: boolean;
/** DD-5: When true, return error on individual scan failures (default false). */
readonly failOnScanErrors?: boolean;
/** Pre-loaded tag registry. When provided, skips internal config load (Step 1). */
readonly tagRegistry?: TagRegistry;
}| Property | Description |
|---|---|
| includeValidation | DD-3: When false, skip validation pass (default true). |
| failOnScanErrors | DD-5: When true, return error on individual scan failures (default false). |
| tagRegistry | Pre-loaded tag registry. When provided, skips internal config load (Step 1). |
/**
* Successful pipeline result containing the dataset and validation summary.
*
*/interface PipelineResult {
readonly dataset: RuntimePatternGraph;
readonly validation: ValidationSummary;
readonly warnings: readonly PipelineWarning[];
readonly scanMetadata: ScanMetadata;
}Invariant: The orchestrator is the integration boundary for full docs generation: it delegates dataset construction to the shared pipeline, then executes codecs and writes files.
Rationale: Splitting orchestration into dataset construction (shared) and output execution (orchestrator-owned) keeps Data API and validation consumers aligned on one read-model path while preserving generator-specific output handling.
Steps 1-8 (config load, TypeScript/Gherkin scan + extraction, merge, hierarchy
derivation, workflow load, and transformToPatternGraph) are delegated to
buildPatternGraph().
After dataset creation, the orchestrator owns Step 9 (codec execution per generator, output rendering, additional file fan-out) and Step 10 (path validation, overwrite policy, and persisted file writes).
- Running complete documentation generation programmatically
- Integrating doc generation into build scripts
- Testing the full pipeline without CLI overhead
Invariant: buildPatternGraph() is the shared factory for Steps 1-8 of the architecture pipeline and returns Result<PipelineResult, PipelineError> without process-level side effects.
Rationale: Centralizing scan/extract/merge/transform flow prevents divergence between CLI consumers and preserves a single ADR-006 read-model path.
The factory owns: configuration load, TypeScript scan + extraction, Gherkin scan +
extraction, merge conflict handling, hierarchy child derivation, workflow load,
and transformToPatternGraph with validation summary.
Three consumers share this factory: pattern-graph-cli, validate-patterns, and the
generation orchestrator. PipelineOptions differentiates behavior by
mergeConflictStrategy (fatal vs concatenate), includeValidation toggles,
and failOnScanErrors policy without forking pipeline logic.
- Any consumer needs a PatternGraph without rewriting scan/extract/merge flow
- CLI consumers require differentiated conflict strategy and validation behavior
- Orchestrator needs a shared steps 1-8 implementation before codec/file execution
Pre-computed view fan-out from PatternGraph (single-pass transform):
graph TB
MD[PatternGraph]
MD --> byStatus["byStatus<br/>(completed / active / planned)"]
MD --> byPhase["byPhase<br/>(sorted, with counts)"]
MD --> byQuarter["byQuarter<br/>(keyed by Q-YYYY)"]
MD --> byCategory["byCategory<br/>(keyed by category name)"]
MD --> bySourceType["bySourceType<br/>(typescript / gherkin / roadmap / prd)"]
MD --> counts["counts<br/>(aggregate statistics)"]
MD --> RI["relationshipIndex?<br/>(forward + reverse lookups)"]
MD --> AI["archIndex?<br/>(role / context / layer / view)"]