waterui
Build cross-platform apps with WaterUI. Use when writing views, handling state, styling UI, or debugging WaterUI Rust code. Covers reactive bindings, layout, components, and the water CLI.
Install
mkdir -p .claude/skills/waterui && curl -L -o skill.zip "https://mcp.directory/api/skills/download/3603" && unzip -o skill.zip -d .claude/skills/waterui && rm skill.zipInstalls to .claude/skills/waterui
About this skill
WaterUI App Development
Build views with reactive state. When unsure, use Explore agent to search examples/*/src/lib.rs.
CRITICAL: Reactive-First Pattern
WaterUI is a reactive framework. ALWAYS pass Bindings directly to APIs instead of using .get() or watch.
Most WaterUI APIs accept impl Signal or impl IntoSignalF32 - pass bindings directly for automatic reactivity:
// ✅ CORRECT - Pass binding directly, updates automatically
Photo::new(url).blur(blur_value.clone()) // blur updates as slider moves
view.visible(is_visible.clone()) // visibility reacts to state
view.opacity(opacity_value.clone()) // opacity animates reactively
view.disabled(is_loading.clone()) // disabled state follows loading
text!("Count: {count}") // text updates automatically
// ❌ WRONG - Static value, requires manual refresh
Photo::new(url).blur(blur_value.get()) // blur frozen at initial value
view.visible(is_visible.get()) // visibility never changes
watch(count.clone(), |c| text(format!("{c}"))) // unnecessary indirection
Rule: If an API accepts a value that might change, check if it accepts impl Signal and pass the binding.
Quick Start
use waterui::prelude::*;
fn main() -> impl View {
let count = Binding::i32(0);
vstack((
text!("Count: {count}").headline(),
button("+1")
.with_state(&count)
.action(|c| c.set(c.get() + 1)),
))
}
Views
Functions and closures are views:
fn card(title: &str) -> impl View {
vstack((text(title).title(), Divider))
}
// Use directly - no wrapper needed
vstack((card("Hello"), card("World")))
Conditional rendering:
// Show or hide (Option<impl View> is a View)
is_new.map(|b| b.then(|| badge("New")))
// Binary choice (if-else)
when(is_logged_in, || dashboard()).otherwise(|| login_form())
// Multi-branch (if-elif-else)
when(state.equal_to(0), || "Loading")
.or(state.equal_to(1), || "Ready")
.otherwise(|| "Error")
State
// Use type-specific constructors (Binding::new does NOT exist)
let toggle = Binding::bool(false);
let count = Binding::i32(0);
let value = Binding::f64(1.5);
let name = Binding::container(String::new()); // heap types (String, Vec, etc.)
let text = Binding::container(Str::from("hello")); // Str type
// Pass by reference to child views
fn section(count: &Binding<i32>) -> impl View { ... }
Reactive Transforms
Methods on signals (no .clone() needed for transforms):
count.not() // bool negation
count.select(a, b) // if-else
count.equal_to(5) // equality check
count.gt(0) // comparisons: lt, le, ge
count.is_empty() // for strings/collections
count.map(|v| v * 2) // custom transform
count.zip(&other).map(|(a,b)| a + b) // combine signals
Convert to Computed: signal.computed()
Reactive Modifiers
Pass bindings directly to modifiers for real-time updates:
let opacity = Binding::f64(1.0);
let blur = Binding::f64(0.0);
let is_visible = Binding::bool(true);
let is_disabled = Binding::bool(false);
let scale_factor = Binding::f64(1.0);
view
.opacity(opacity.clone()) // reactive opacity
.visible(is_visible.clone()) // reactive visibility
.disabled(is_disabled.clone()) // reactive disabled state
.scale(scale_factor.clone(), scale_factor.clone()) // reactive scale
// Filters also accept reactive values
Photo::new(url)
.blur(blur.clone()) // blur updates in real-time
.saturation(saturation.clone()) // saturation updates in real-time
.brightness(brightness.clone()) // brightness updates in real-time
Event Handlers
IMPORTANT: Always use .with_state() - never clone bindings manually!
// Single state - receives Binding directly
button("Click")
.with_state(&count)
.action(|c| c.set(c.get() + 1))
// Multiple states → nested tuple (((a, b), c), d)
button("Reset")
.with_state(&x)
.with_state(&y)
.action(|(x, y)| { x.set(0); y.set(0); })
// Four states example
button("Submit")
.with_state(&url)
.with_state(&blur)
.with_state(&status)
.with_state(&handler)
.action(|(((url, blur), status), handler)| {
// Use all four bindings
})
// Async
button("Load").action_async(|_| async { fetch().await })
// Lifecycle
view.on_appear(|| setup())
view.on_change(&signal, |new_val| handle(new_val))
Text
IMPORTANT: Always use text! macro for reactive text - never use watch!
// Static text - use text() function
text("Hello").title() // semantic sizes: title, headline, body, caption, footnote, sub_headline
// Reactive text - use text! macro (auto-updates when bindings change)
text!("Count: {count}") // single binding
text!("{a} + {b} = {sum}") // multiple bindings
text!("Value: {value:.2}") // with formatting
// text! returns LocalizedText with font methods
text!("Status: {status}").sub_headline()
text!("Small: {value}").caption()
Layout
hstack((a, b, c)).spacing(8.0)
vstack((a, b)).padding()
zstack((background, content))
scroll(content)
spacer() // flexible space
spacer().height(16.0) // fixed space
// From iterator - use .collect() for dynamic layouts
let buttons: HStack<_> = items.iter().map(|i| button(i.label)).collect();
Colors
// Built-in (zero-sized, efficient)
Blue, Green, Red, Orange, Purple, Cyan, Yellow, Pink, Grey
// Custom
const BRAND: Srgb = Srgb::from_hex("#3B82F6");
// Usage - colors are Views
view.background(Blue)
view.foreground(BRAND)
Blue.size(80.0, 80.0) // colored rectangle
BRAND.with_opacity(0.5)
Theme colors: Foreground, MutedForeground, Accent, Background, Surface, Border
Modifiers
.padding() / .padding_with(EdgeInsets::all(16.0))
.background(color) / .foreground(color)
.size(w, h) / .width(w) / .height(h)
.scale(x, y) / .rotation(degrees) / .offset(x, y)
.border(color, width) / .shadow() / .clip(shape)
.disabled(bool_signal) / .visible(bool_signal) // accept signals!
.opacity(f64_signal) // accepts signal!
Components
| Category | Components |
|---|---|
| Layout | hstack, vstack, zstack, scroll, spacer, grid |
| Controls | button, toggle, Slider, Stepper, TextField, Menu |
| Navigation | NavigationStack, NavigationLink, TabView |
| Media | Photo, VideoPlayer, MediaPicker |
| Graphics | Canvas, Chart, Map, Barcode::qr() |
CLI Commands
water create my-app # new project
water run --platform ios # run on simulator
water run --platform android
water run --platform macos
water preview my_view # preview #[preview] function
water run --logs debug # with debug output
Preview System
Use the #[preview] macro to enable instant view previews:
#[preview]
fn my_card() -> impl View {
text!("Hello Preview!")
}
For visual verification, use the waterui-preview subagent via the Task tool:
Task(subagent_type="waterui-preview", prompt="<function_name> --platform macos --path <crate_path>\nExpect: <visual description>")
Common Patterns
// Reactive blur with slider (real-time updates)
let blur = Binding::f64(0.0);
vstack((
Photo::new(url).blur(blur.clone()), // blur reacts to slider
Slider::new(0.0..=10.0, &blur),
text!("Blur: {blur:.1}"),
))
// Animated toggle
let scale = active.select(1.2 as f32, 1.0).with(Animation::spring(300.0, 15.0));
// Conditional visibility (reactive)
.visible(items.map(|i| !i.is_empty()).computed())
// List rendering
List::for_each(&items, |item| item_view(item))
// Static layout from slice/array via FromIterator
fn tab_buttons(tabs: &[Tab], selected: &Binding<Tab>) -> HStack<(Vec<AnyView>,)> {
tabs.iter()
.map(|&tab| button(tab.label()).with_state(selected).action(move |s| s.set(tab)))
.collect()
}
// Conditional views - prefer when().otherwise() over match
when(is_dark, || dark_theme()).otherwise(|| light_theme())
when(!is_loading, || content()).otherwise(|| spinner())
// Multi-branch conditionals
when(state.equal_to(0), || loading_view())
.or(state.equal_to(1), || ready_view())
.or(state.equal_to(2), || error_view())
.otherwise(|| unknown_view())
// For many branches or complex matching, use match + .anyview()
fn render(mode: Mode) -> AnyView {
match mode {
Mode::A => view_a().anyview(),
Mode::B => view_b().anyview(),
Mode::C => view_c().anyview(),
}
}
// Form from struct
#[derive(FormBuilder)]
struct Settings { name: String, volume: f64 }
form(&settings_binding)
// Dynamic view for URL changes (Photo with reactive blur)
let url_input = Binding::container(Str::from("https://example.com/image.jpg"));
let blur = Binding::f64(0.0);
let status = Binding::container(String::from("Loading..."));
let (handler, photo_view) = Dynamic::new();
// Load button - only Dynamic for URL change, blur is reactive
button("Load")
.with_state(&url_input)
.with_state(&blur)
.with_state(&status)
.with_state(&handler)
.action(|(((url, blur), status), handler)| {
let photo = Photo::new(url.get())
.on_event({
let status = status.clone();
move |event| match event {
PhotoEvent::Loaded => status.set(String::from("Loaded")),
PhotoEvent::Error(msg) => status.set(format!("Error: {msg}")),
}
})
.blur(blur.clone()); // Pass binding for reactive blur!
handler.set(photo);
});
vstack((
text!("{status}"),
photo_view,
Slider::new(0.0..=10.0, &blur), // Slider controls blur in real-tim
---
*Content truncated.*
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 serversUno Platform — Documentation and prompts for building cross-platform .NET apps with a single codebase. Get guides, sampl
The fullstack MCP framework for developing MCP apps for ChatGPT, Claude, and building MCP servers for AI agents. Connect
Explore official Google BigQuery MCP servers. Find resources and examples to build context-aware apps in Google's ecosys
Find official MCP servers for Google Maps. Explore resources to build, integrate, and extend apps with Google directions
Use Firebase to integrate Firebase Authentication, Firestore, and Storage for seamless backend services in your apps.
Build iOS apps efficiently with Xcodebuild, integrating testing and error handling. Automate BrowserStack for seamless d
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.