effect-patterns-domain-modeling
Effect-TS patterns for Domain Modeling. Use when working with domain modeling in Effect-TS applications.
Install
mkdir -p .claude/skills/effect-patterns-domain-modeling && curl -L -o skill.zip "https://mcp.directory/api/skills/download/4266" && unzip -o skill.zip -d .claude/skills/effect-patterns-domain-modeling && rm skill.zipInstalls to .claude/skills/effect-patterns-domain-modeling
About this skill
Effect-TS Patterns: Domain Modeling
This skill provides 15 curated Effect-TS patterns for domain modeling. Use this skill when working on tasks related to:
- domain modeling
- Best practices in Effect-TS applications
- Real-world patterns and solutions
🟢 Beginner Patterns
Create Type-Safe Errors
Rule: Use Data.TaggedError to create typed, distinguishable errors for your domain.
Good Example:
import { Effect, Data } from "effect"
// ============================================
// 1. Define tagged errors for your domain
// ============================================
class UserNotFoundError extends Data.TaggedError("UserNotFoundError")<{
readonly userId: string
}> {}
class InvalidEmailError extends Data.TaggedError("InvalidEmailError")<{
readonly email: string
readonly reason: string
}> {}
class DuplicateUserError extends Data.TaggedError("DuplicateUserError")<{
readonly email: string
}> {}
// ============================================
// 2. Use in Effect functions
// ============================================
interface User {
id: string
email: string
name: string
}
const validateEmail = (email: string): Effect.Effect<string, InvalidEmailError> => {
if (!email.includes("@")) {
return Effect.fail(new InvalidEmailError({
email,
reason: "Missing @ symbol"
}))
}
return Effect.succeed(email)
}
const findUser = (id: string): Effect.Effect<User, UserNotFoundError> => {
// Simulate database lookup
if (id === "123") {
return Effect.succeed({ id, email: "alice@example.com", name: "Alice" })
}
return Effect.fail(new UserNotFoundError({ userId: id }))
}
const createUser = (
email: string,
name: string
): Effect.Effect<User, InvalidEmailError | DuplicateUserError> =>
Effect.gen(function* () {
const validEmail = yield* validateEmail(email)
// Simulate duplicate check
if (validEmail === "taken@example.com") {
return yield* Effect.fail(new DuplicateUserError({ email: validEmail }))
}
return {
id: crypto.randomUUID(),
email: validEmail,
name,
}
})
// ============================================
// 3. Handle errors by tag
// ============================================
const program = createUser("alice@example.com", "Alice").pipe(
Effect.catchTag("InvalidEmailError", (error) =>
Effect.succeed({
id: "fallback",
email: "default@example.com",
name: `${error.email} was invalid: ${error.reason}`,
})
),
Effect.catchTag("DuplicateUserError", (error) =>
Effect.fail(new Error(`Email ${error.email} already registered`))
)
)
// ============================================
// 4. Match on all errors
// ============================================
const handleAllErrors = createUser("bad-email", "Bob").pipe(
Effect.catchTags({
InvalidEmailError: (e) => Effect.succeed(`Invalid: ${e.reason}`),
DuplicateUserError: (e) => Effect.succeed(`Duplicate: ${e.email}`),
})
)
// ============================================
// 5. Run and see results
// ============================================
Effect.runPromise(program)
.then((user) => console.log("Created:", user))
.catch((error) => console.error("Failed:", error))
Rationale:
Create domain-specific errors using Data.TaggedError. Each error type gets a unique _tag for pattern matching.
Plain Error or string messages cause problems:
- No type safety - Can't know what errors a function might throw
- Hard to handle - Matching on error messages is fragile
- Poor documentation - Errors aren't part of the function signature
Tagged errors solve this by making errors typed and distinguishable.
Handle Missing Values with Option
Rule: Use Option instead of null/undefined to make missing values explicit and type-safe.
Good Example:
import { Option, Effect } from "effect"
// ============================================
// 1. Creating Options
// ============================================
// Some - a value is present
const hasValue = Option.some(42)
// None - no value
const noValue = Option.none<number>()
// From nullable - null/undefined becomes None
const fromNull = Option.fromNullable(null) // None
const fromValue = Option.fromNullable("hello") // Some("hello")
// ============================================
// 2. Checking and extracting values
// ============================================
const maybeUser = Option.some({ name: "Alice", age: 30 })
// Check if value exists
if (Option.isSome(maybeUser)) {
console.log(`User: ${maybeUser.value.name}`)
}
// Get with default
const name = Option.getOrElse(
Option.map(maybeUser, u => u.name),
() => "Anonymous"
)
// ============================================
// 3. Transforming Options
// ============================================
const maybeNumber = Option.some(5)
// Map - transform the value if present
const doubled = Option.map(maybeNumber, n => n * 2) // Some(10)
// FlatMap - chain operations that return Option
const safeDivide = (a: number, b: number): Option.Option<number> =>
b === 0 ? Option.none() : Option.some(a / b)
const result = Option.flatMap(maybeNumber, n => safeDivide(10, n)) // Some(2)
// ============================================
// 4. Domain modeling example
// ============================================
interface User {
readonly id: string
readonly name: string
readonly email: Option.Option<string> // Email is optional
readonly phone: Option.Option<string> // Phone is optional
}
const createUser = (name: string): User => ({
id: crypto.randomUUID(),
name,
email: Option.none(),
phone: Option.none(),
})
const addEmail = (user: User, email: string): User => ({
...user,
email: Option.some(email),
})
const getContactInfo = (user: User): string => {
const email = Option.getOrElse(user.email, () => "no email")
const phone = Option.getOrElse(user.phone, () => "no phone")
return `${user.name}: ${email}, ${phone}`
}
// ============================================
// 5. Use in Effects
// ============================================
const findUser = (id: string): Effect.Effect<Option.Option<User>> =>
Effect.succeed(
id === "123"
? Option.some({ id, name: "Alice", email: Option.none(), phone: Option.none() })
: Option.none()
)
const program = Effect.gen(function* () {
const maybeUser = yield* findUser("123")
if (Option.isSome(maybeUser)) {
yield* Effect.log(`Found: ${maybeUser.value.name}`)
} else {
yield* Effect.log("User not found")
}
})
Effect.runPromise(program)
Rationale:
Use Option<A> to represent values that might be absent. This makes "might not exist" explicit in your types, forcing you to handle both cases.
null and undefined cause bugs because:
- Silent failures - Accessing
.propertyon null crashes at runtime - Unclear intent - Is null "not found" or "error"?
- Forgotten checks - Easy to forget
if (x !== null)
Option fixes this by making absence explicit and type-checked.
Your First Domain Model
Rule: Start domain modeling by defining clear interfaces for your business entities.
Good Example:
import { Effect } from "effect"
// ============================================
// 1. Define domain entities as interfaces
// ============================================
interface User {
readonly id: string
readonly email: string
readonly name: string
readonly createdAt: Date
}
interface Product {
readonly sku: string
readonly name: string
readonly price: number
readonly inStock: boolean
}
interface Order {
readonly id: string
readonly userId: string
readonly items: ReadonlyArray<OrderItem>
readonly total: number
readonly status: OrderStatus
}
interface OrderItem {
readonly productSku: string
readonly quantity: number
readonly unitPrice: number
}
type OrderStatus = "pending" | "confirmed" | "shipped" | "delivered"
// ============================================
// 2. Create domain functions
// ============================================
const createUser = (email: string, name: string): User => ({
id: crypto.randomUUID(),
email,
name,
createdAt: new Date(),
})
const calculateOrderTotal = (items: ReadonlyArray<OrderItem>): number =>
items.reduce((sum, item) => sum + item.quantity * item.unitPrice, 0)
// ============================================
// 3. Use in Effect programs
// ============================================
const program = Effect.gen(function* () {
const user = createUser("alice@example.com", "Alice")
yield* Effect.log(`Created user: ${user.name}`)
const items: OrderItem[] = [
{ productSku: "WIDGET-001", quantity: 2, unitPrice: 29.99 },
{ productSku: "GADGET-002", quantity: 1, unitPrice: 49.99 },
]
const order: Order = {
id: crypto.randomUUID(),
userId: user.id,
items,
total: calculateOrderTotal(items),
status: "pending",
}
yield* Effect.log(`Order total: $${order.total.toFixed(2)}`)
return order
})
Effect.runPromise(program)
Rationale:
Start by defining TypeScript interfaces that represent your business entities. Use descriptive names that match your domain language.
Good domain modeling:
- Clarifies intent - Types document what data means
- Prevents errors - Compiler catches wrong data usage
- Enables tooling - IDE autocompletion and refactoring
- Communicates - Code becomes documentation
🟡 Intermediate Patterns
Model Optional Values Safely with Option
Rule: Use Option<A> to explicitly model values that may be absent, avoiding null or undefined.
Good Example:
A function that looks for a user in a database is a classic use case. It might find a user, or it might not. Returning an Option<User> makes this contract explicit and safe.
import { Effect, Option } from "effect";
---
*Content truncated.*
More by PaulJPhilp
View all skills by PaulJPhilp →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.
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."
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.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversConnect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Securely join MySQL databases with Read MySQL for read-only query access and in-depth data analysis.
Context Portal: Manage project memory with a database-backed system for decisions, tracking, and semantic search via a k
AI-driven CAD modeling with FreeCAD: control design workflows, generate logos, and edit objects using remote Python scri
Dot AI (Kubernetes Deployment) streamlines and automates Kubernetes deployment with intelligent guidance and vector sear
Perplexity integrates with Perplexity AI and Bing by Microsoft APIs to deliver up-to-date web search results and informa
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.