jazz-schema-design
Design and implement collaborative data schemas using the Jazz framework. Use this skill when building or working with Jazz apps to define data structures using CoValues. This skill focuses exclusively on schema definition and data modeling logic.
Install
mkdir -p .claude/skills/jazz-schema-design && curl -L -o skill.zip "https://mcp.directory/api/skills/download/4189" && unzip -o skill.zip -d .claude/skills/jazz-schema-design && rm skill.zipInstalls to .claude/skills/jazz-schema-design
About this skill
Jazz Data Modelling and Schema Design
When to Use This Skill
- Designing data structures for Jazz applications
- Defining CoValue schemas and relationships
- Configuring permissions at the schema level
- Planning schema evolution and migrations
- Choosing between scalar and collaborative types
- Modeling relationships between data entities
Do NOT Use This Skill For
- Writing tests for Jazz applications (use the
jazz-testingskill) - General framework integration questions (use the
jazz-ui-developmentskill) - Permissions topics outside the schema. Use the
jazz-permissions-securityskill.
Key Heuristic for Agents: If the user is asking about how to structure their data model, define relationships, configure default permissions, or evolve schemas, use this skill.
Core Concepts
Jazz models data as an explicitly linked collaborative graph, not traditional tables or collections. Data types are defined as schemas, with CoValues serving as the fundamental building blocks.
Schema Definition Basics
Basic Structure
const Author = co.map({
name: z.string()
});
const Post = co.map({
title: z.string(),
content: co.richText(),
});
Key Libraries:
z.*- Zod schemas for primitive types (e.g.,z.string())co.*- Jazz collaborative data types (e.g.,co.richText(),co.map())
Permissions Model
Permissions are integral to the data model, not an afterthought. Each CoValue has an ownership group with hierarchical permissions.
Permission Levels (cumulative)
- none - Cannot read content
- reader - Can read content
- writer - Can update content (overwrite values, modify lists)
- admin - Can grant/revoke permissions plus all writer capabilities
Critical Permission Rules
- Only the creator is admin by default - no superuser concept
- Cannot change CoValue ownership group - must modify group membership instead
- Different permissions require separate containers - use distinct CoMaps/CoLists
- Nested CoValues inherit permissions from parent by default
- Define default permissions at schema level during design
Defining Permissions at Schema Level
Use withPermissions() to set automatic permissions when creating CoValues:
const Dog = co.map({
name: z.string(),
}).withPermissions({
onInlineCreate: "sameAsContainer",
});
const Person = co.map({
pet: Dog,
}).withPermissions({
default: () => Group.create().makePublic(),
});
// Person CoValues are public, Dog shares owner with Person
const person = Person.create({
pet: { name: "Rex" }
});
Permission Configuration Options
default
Defines group when calling .create() without explicit owner.
onInlineCreate
Controls behavior when CoValue is created inline (NOT applied to .create() calls):
"extendsContainer"(default) - New group includes container owner as member, inheriting permissions"sameAsContainer"- Reuse container's owner (performance optimization—see below for concerns and considerations)"newGroup"- New group with active account as admin{ extendsContainer: "reader" }- Like"extendsContainer"but override container owner's role- Custom callback - Create and configure new group as needed
onCreate
Callback runs on every CoValue creation (both .create() and inline). Use to configure owner.
Global Permission Defaults
Set defaults for all schemas using setDefaultSchemaPermissions:
import { setDefaultSchemaPermissions } from "jazz-tools";
setDefaultSchemaPermissions({
onInlineCreate: "sameAsContainer", // Performance optimization
});
USE EXTREME CAUTION: If you use sameAsContainer, you MUST be aware that the child and parent groups are one and the same. Any changes to the child group will affect the parent group, and vice versa. This can lead to unexpected behavior if not handled carefully, where changing permissions on a child group inadvertently results in permissions being granted to the parent group and any other siblings created with the same parent. As ownership cannot be changed, you MUST NOT USE sameAsContainer if you AT ANY TIME IN FUTURE may wish to change permissions granularly on the child group.
CoValue Types
| TypeScript Type | CoValue | Use Case |
|---|---|---|
object | CoMap | Struct-like objects with predefined keys |
Record<string, T> | CoRecord | Dict-like objects with arbitrary string keys |
T[] | CoList | Ordered lists |
T[] (append-only) | CoFeed | Session-based append-only lists |
string | CoPlainText/CoRichText | Collaborative text editing |
Blob | File | FileStream | File storage |
Blob | File (image) | ImageDefinition | Image storage |
number[] | Float32Array | CoVector | Embeddings/vector data |
T | U (discriminated) | DiscriminatedUnion | Mixed-type lists |
Use the special types co.account() and co.profile() for user accounts and profiles.
Choosing Scalar vs Collaborative Types
Scalar Types (Zod: z.*)
Use when:
- Full replacement updates expected
- No collaborative editing needed
- Single writer scenario
- Raw performance critical
Examples:
const myCoValue = co.map({
title: z.string() // Replace entire title, no collaboration needed
coords: z.object({
lat: z.number(),
lon: z.number()
}) // Replace entire object, no collaboration needed
});
Note: not all Zod types are available in Jazz. Be sure to always import { z } from 'jazz-tools';, and validate whether the type exists on the export. DO NOT import from zod.
Collaborative Types (Jazz: co.*)
Use when:
- Multiple users edit simultaneously
- Surgical/granular edits needed
- Full edit history tracking valuable
- Collaborative features required
Examples:
const myCoVal = co.map({
content: co.richText() // Multiple editors
items: co.list(Item) // Add/remove individual items
config: co.map({
settingA: z.boolean(),
settingB: z.number()
}) // Update specific keys
});
Trade-off: CoValues track full edit history. Slightly slower for single-writer full-replacement scenarios, but benefits almost always outweigh costs.
Relationship Modeling
One-Directional Reference
const Post = co.map({
title: z.string(),
author: Author // One-way reference (like foreign key)
});
Jazz stores referenced ID. Use resolve queries to control reference traversal depth.
Recursive/Forward References
Use getters to defer schema evaluation:
const Author = co.map({
name: z.string(),
get posts() {
return co.list(Post); // Deferred evaluation
}
});
const Post = co.map({
title: z.string(),
author: Author
});
Important: Jazz doesn't create inferred inverse relationships. Explicitly add both sides for bidirectional traversal.
Inverse Relationships (Two-Way)
One-to-One:
const Author = co.map({
name: z.string(),
get post() {
return Post;
}
});
const Post = co.map({
title: z.string(),
author: Author
});
One-to-Many:
const Author = co.map({
name: z.string(),
get posts() {
return co.list(Post);
}
});
const Post = co.map({
author: Author
});
Many-to-Many:
Use co.list() at both ends. Jazz doesn't maintain consistency - manage in application code.
Set-Like Collections (Unique Constraint)
CoLists allow duplicates. For uniqueness, use CoRecord keyed on ID:
const Author = co.map({
name: z.string(),
posts: co.record(z.string(), Post)
});
// Usage
author.posts.$jazz.set(newPost.$jazz.id, newPost);
Note: CoRecords always use string keys. Validate IDs at application level.
Data Discovery Pattern
CoValues are only addressable by unique ID. Discovery without ID requires reference traversal.
Standard pattern:
- Attach 'root' CoValue to user account (entry point to the data graph)
- For global 'roots': hardcode ID or use environment variable
- Build graph from root via references
Schema Evolution
Each CoValue copy is authoritative. Users may be on different schema versions simultaneously.
Best Practices
- Add version field to schema
- Only add fields, never remove
- Never change existing field types
- Make new fields optional (backward compatible)
- Use
withMigration()carefully - runs on every load
Migration Example
const Post = co.map({
version: z.number().optional(),
title: z.string(),
content: co.richText(),
tags: z.array(z.string()).optional() // New optional field
}).withMigration((post) => {
// Exit early if already migrated
if (post.version === 2) return;
// Perform migration
if (!post.$jazz.has('tags')) {
post.$jazz.set('tags', []);
}
post.$jazz.set('version', 2);
});
Migration warnings:
- Runs every time CoValue loads
- Exit early to avoid unnecessary work
- Poor migrations can significantly slow app
Design Checklist
- Identify which data needs collaborative editing
- Map permissions requirements to CoValue containers
- Choose scalar vs collaborative types appropriately
- Define explicit relationships (both directions if needed)
- Plan root CoValue attachment strategy
- Add version field for future evolution
- Set default permissions at schema level
- Handle recursive references with getters
- Consider migration strategy for schema changes
- Ensure an initial migration exists for the user account to ensure the profile and root are initialized
- Ensure there are no TS or linting errors
Common Patterns
Blog with Authors and Posts
const Author = co.map({
name: z.string(),
bio: co.richText(),
get posts() {
return co.list(Post);
}
});
const Post = co.map({
title: z.string(),
content: co.richText(),
author: Author,
publishedAt: z.date().optional(
---
*Content truncated.*
More by garden-co
View all skills by garden-co →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 serversAI-ERD - Create and manage database schemas with DBML on a real-time visual canvas for fast, collaborative design and in
Unlock seamless Figma to code: streamline Figma to HTML with Framelink MCP Server for fast, accurate design-to-code work
The Coupler.io MCP Server is a Model Context Protocol (MCP) server that provides seamless integration with Coupler.io AP
Theta Health MCP Server offers EHR interoperability solutions, enabling AI assistants to access and manage diverse healt
Unlock AI-ready web data with Firecrawl: scrape any website, handle dynamic content, and automate web scraping for resea
Build persistent semantic networks for enterprise & engineering data management. Enable data persistence and memory acro
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.