solver
How the Faebryk parameter solver works (Sets/Literals, Parameters, Expressions), the core invariants enforced during mutation, and practical workflows for debugging and extending the solver.
Install
mkdir -p .claude/skills/solver && curl -L -o skill.zip "https://mcp.directory/api/skills/download/4607" && unzip -o skill.zip -d .claude/skills/solver && rm skill.zipInstalls to .claude/skills/solver
About this skill
Solver Module
The solver is the heart of atopile's parameter subsystem: it symbolically simplifies and checks constraint systems built from Parameters, Literals (Sets), and Expressions.
If you are touching solver internals, read these first:
src/faebryk/core/solver/README.md(concepts, set correlation, append-only graphs, canonicalization)src/faebryk/core/solver/symbolic/invariants.py(the actual invariants enforced during expression insertion)
Quick Start
import faebryk.core.node as fabll
import faebryk.library._F as F
from faebryk.core.solver.defaultsolver import DefaultSolver
from faebryk.libs.test.boundexpressions import BoundExpressions
E = BoundExpressions()
class _App(fabll.Node):
x = F.Parameters.NumericParameter.MakeChild(unit=E.U.dl)
app = _App.bind_typegraph(tg=E.tg).create_instance(g=E.g)
x = app.x.get().can_be_operand.get()
E.is_subset(x, E.lit_op_range(((9, E.U.dl), (11, E.U.dl))), assert_=True)
solver = DefaultSolver()
res = solver.simplify(g=E.g, tg=E.tg, terminal=True).data.mutation_map
lit = res.try_extract_superset(app.x.get().is_parameter_operatable.get(), domain_default=True)
assert lit is not None
Relevant Files
- Solver runtime + orchestration:
src/faebryk/core/solver/defaultsolver.py(DefaultSolver, iteration loop, terminal vs non-terminal)src/faebryk/core/solver/solver.py(solver protocol + helper APIs)
- Mutation machinery (this is where “graphs are append-only” is handled):
src/faebryk/core/solver/mutator.py(Mutator,Transformations,MutationStage,MutationMap, tracebacks)
- Symbolic layer (canonical forms + invariants):
src/faebryk/core/solver/symbolic/invariants.py(insert_expression(...)invariant pipeline)src/faebryk/core/solver/symbolic/canonical.py(canonicalization passes)src/faebryk/core/solver/symbolic/*(structural + expression-wise algorithms)
- Domain objects (what users actually create in graphs):
src/faebryk/library/Parameters.py(ParameterOperatables, domains, compact repr)src/faebryk/library/Expressions.py(expression node types, predicates, assertables)src/faebryk/library/Literals.py(Sets; numeric/boolean/enum literals)
- Test helpers:
src/faebryk/libs/test/boundexpressions.py(concise graph + expression construction for tests)
Dependants (Call Sites)
- Library components (
src/faebryk/library/): define parameters/constraints (e.g.R.resistance) - Compiler + frontends: translate
atoconstraints into solver expressions - Picker backend: uses solver simplification + bounds extraction to prune candidate parts
How to Work With / Develop / Test
Mental Model (the parts that matter for correctness)
1) Literals are Sets (and correlation is subtle)
- A literal like
100kOhm +/- 10%is a Set (a range), not a scalar. - Singleton sets are self-correlated; all other sets are treated as uncorrelated, even with themselves.
- This is why
X - Xis not necessarily{0}whenXis a range, but is{0}whenXis a singleton.
- This is why
2) Symbols (Parameters) introduce correlation
- A
Parameterbehaves like a mathematical symbol (variable), not a Python variable. - Correlation between symbols is created via asserted constraints, most notably:
Is(A, B).assert_()/A.alias_is(B)creates a strong “these are the same” correlation.IsSubset(A, X).assert_()/A.constrain_subset(X)constrainsAto be withinX.IsSubset(X, A).assert_()/A.constrain_superset(X)constrainsAto accept at leastX.
3) Expressions are graph objects (not just Python trees)
Expressions are nodes in the Faebryk graph that point at operand nodes. This matters because…
4) The underlying graphs are append-only
The solver cannot “edit” an expression in-place. Instead it:
- builds a new graph containing transformed/copied nodes,
- records a mapping from old nodes → new nodes (
MutationMap), - leaves the old graph untouched.
Development Workflow
- Reproduce in a minimal graph (prefer tests +
BoundExpressions). - Run
DefaultSolver().simplify(...)and inspect the resultingMutationMap. - If you’re changing rewrite logic, make sure you understand and preserve the invariant pipeline in
src/faebryk/core/solver/symbolic/invariants.py::insert_expression. - Add/adjust algorithms in
src/faebryk/core/solver/symbolic/*(most logic lives there, not inmutator.py).
Testing
- Solver tests live in
test/core/solver/:test/core/solver/test_solver.pytest/core/solver/test_literal_folding.pytest/core/solver/test_solver_util.py
Run a tight loop while iterating:
ato dev test --llm test/core/solver -k invariant -qato dev test --llm test/core/solver/test_solver.py::test_simplify -q
Best Practices
Prefer explicit simplify(...) arguments
DefaultSolver.simplify has a compatibility layer that accepts (tg, g) or (g, tg). In new code, prefer named args:
res = DefaultSolver().simplify(g=g, tg=tg, terminal=True)
mutation_map = res.data.mutation_map
Use the Mutator/insert_expression pipeline, not ad-hoc rewrites
When you “create” or “rewrite” an expression, you are really requesting that the solver insert something into the transient graph while upholding invariants. The canonical place where this happens is:
src/faebryk/core/solver/symbolic/invariants.py::insert_expression
If you bypass this, you will almost certainly violate an invariant and get:
- duplicate/congruent expressions,
- multiple incompatible bounds on an operand,
- predicates used as operands,
- missed literal folding, or
- contradictions that don’t point back to the real root cause.
Core Invariants (source of truth: insert_expression)
The invariant pipeline is sequencing-sensitive. At a high level it enforces (paraphrased):
- No predicate operands:
Op(P!, ...)is rewritten to use boolean literals where possible - Predicate literal rules:
P{S|True} -> P!;P!{S/P|False} -> Contradiction;P!{S|True} -> P! - No literal inequalities: inequalities involving literals are rewritten into subset constraints
- No singleton supersets as operands:
f(A{S|{x}}, ...) -> f(x, ...) - No congruence: congruent expressions are deduplicated (with optional rules for uncorrelated congruence)
- Minimal subsumption: stronger constraints subsume weaker ones; redundant ones become irrelevant
- Single “merged” superset/subset per operand (e.g. intersected supersets)
- No empty supersets/subsets: empty-set constraints are contradictions
- Fold pure literal expressions into literals (and re-express as subset/superset where appropriate)
- Terminate certain literal subset constraints to stop churn
- Canonical form: expressions are created/normalized into canonical operators
When adding a new algorithm, the easiest way to stay correct is to construct a new ExpressionBuilder
and let insert_expression do the hard work.
Internals & Runtime Behavior
Instantiation & Dependencies
DefaultSolver()holds state: when called withterminal=False, it can keep a reusable internal state for incremental solving.- Terminal vs non-terminal:
terminal=True(default) is more powerful but not intended to be reused as incremental state.terminal=Falseruns only non-terminal algorithms and storesreusable_statefor subsequent calls.
- Graph scoping:
simplify(..., relevant=[...])is the intended hook to avoid “solve the entire world”.
Data Structures
MutationStage: one algorithm application over an input graph → output graph, with aTransformationsobject.MutationMap: a chain of stages; lets you:- map old → new operables (
map_forward) - map new → old sources (
map_backward) - extract current bounds as literals (
try_extract_superset; subset extraction is typically via the mapped operable’stry_extract_subset()) - generate tracebacks for “why did this change?” (see
Tracebackinmutator.py)
- map old → new operables (
Debugging & Logging
Useful config flags (see src/faebryk/core/solver/utils.py):
SLOG=1: debug logging for solver/mutatorSPRINT_START=1: log start of each phaseSVERBOSE_TABLE=1: verbose mutation tablesSSHOW_SS_IS=1: include subset/is predicates in graph printoutsSMAX_ITERATIONS=N: raise early if stuck looping (helps catch bad rewrites)
In failures, look for Contradiction / ContradictionByLiteral output: it prints mutation tracebacks back to
origin expressions/parameters, which is usually the shortest path to the actual bug.
Performance
- Prefer restricting scope via
relevant=[...]when you can. - Avoid creating huge numbers of near-duplicate expressions; congruence + subsumption help, but churn still costs.
- If you add an algorithm, make it idempotent (or explicitly mark/terminate what you produce) to avoid infinite iteration.
More by atopile
View all →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
rust-coding-skill
UtakataKyosui
Guides Claude in writing idiomatic, efficient, well-structured Rust code using proper data modeling, traits, impl organization, macros, and build-speed best practices.
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.