flowglad-checkout
Implement checkout sessions for purchasing subscriptions and products with Flowglad. Use this skill when creating upgrade buttons, purchase flows, or redirecting users to hosted checkout pages.
Install
mkdir -p .claude/skills/flowglad-checkout && curl -L -o skill.zip "https://mcp.directory/api/skills/download/3041" && unzip -o skill.zip -d .claude/skills/flowglad-checkout && rm skill.zipInstalls to .claude/skills/flowglad-checkout
About this skill
Checkout
Abstract
This skill covers implementing checkout sessions for purchasing subscriptions and products with Flowglad. It includes creating upgrade buttons, handling redirects to hosted checkout pages, and displaying pricing information from the pricing model.
Table of Contents
- Success and Cancel URL Handling — CRITICAL
- Price Slug vs Price ID — HIGH
- autoRedirect Behavior — MEDIUM
- Building Upgrade Buttons — MEDIUM
- Displaying Pricing from pricingModel — MEDIUM
1. Success and Cancel URL Handling
Impact: CRITICAL
Checkout sessions require successUrl and cancelUrl parameters. These URLs determine where users are redirected after completing or abandoning checkout. Incorrect URL handling causes broken redirects and poor user experience.
1.1 Use Absolute URLs
Impact: CRITICAL (relative URLs will fail)
Flowglad's hosted checkout redirects users via HTTP redirect, which requires fully-qualified absolute URLs.
Incorrect: using relative URLs
const handleUpgrade = async () => {
await createCheckoutSession({
priceSlug: 'pro-monthly',
// FAILS: relative URLs don't work with external redirects
successUrl: '/dashboard?upgraded=true',
cancelUrl: '/pricing',
autoRedirect: true,
})
}
Relative URLs cause redirect failures because the hosted checkout page is on a different domain and cannot resolve relative paths.
Correct: use absolute URLs with window.location.origin
const handleUpgrade = async () => {
await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/dashboard?upgraded=true`,
cancelUrl: `${window.location.origin}/pricing`,
autoRedirect: true,
})
}
1.2 Include Post-Checkout Context
Impact: MEDIUM (improves user experience)
Include query parameters in success URLs to trigger appropriate UI feedback.
Incorrect: no context after checkout
await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/dashboard`,
cancelUrl: window.location.href,
autoRedirect: true,
})
User returns to dashboard with no indication that checkout succeeded.
Correct: include success context
await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/dashboard?checkout=success&plan=pro`,
cancelUrl: window.location.href,
autoRedirect: true,
})
// Then in the dashboard component:
const searchParams = useSearchParams()
const checkoutSuccess = searchParams.get('checkout') === 'success'
{checkoutSuccess && (
<SuccessBanner>Welcome to Pro! Your subscription is now active.</SuccessBanner>
)}
2. Price Slug vs Price ID
Impact: HIGH
Flowglad supports referencing prices by either priceId or priceSlug. Using slugs provides stability across environments.
2.1 Use Slugs for Stability
Impact: HIGH (IDs differ between environments)
Price IDs are auto-generated and differ between development, staging, and production environments. Slugs are user-defined and consistent.
Incorrect: hardcoding price IDs
await createCheckoutSession({
// This ID only exists in production!
priceId: 'price_abc123xyz',
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
Code breaks when deployed to different environments because each environment has different price IDs.
Correct: use price slugs
await createCheckoutSession({
// Slugs are consistent across all environments
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
When using priceSlug, ensure the slug is defined in your Flowglad dashboard for all environments. Slugs are case-sensitive.
3. autoRedirect Behavior
Impact: MEDIUM
The autoRedirect option controls whether users are automatically sent to the hosted checkout page.
3.1 When to Use autoRedirect
Impact: MEDIUM (simplifies common flows)
For most checkout buttons, autoRedirect: true provides the expected behavior.
Incorrect: manually redirecting when autoRedirect would suffice
const handleUpgrade = async () => {
const result = await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
// Missing autoRedirect
})
// Unnecessary manual redirect
if (result.url) {
window.location.href = result.url
}
}
Correct: use autoRedirect for simple flows
const handleUpgrade = async () => {
await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
// No manual redirect needed - user is automatically sent to checkout
}
3.2 Manual Redirect Control
Impact: MEDIUM (needed for analytics or pre-redirect logic)
Disable autoRedirect when you need to perform actions before redirecting, such as analytics tracking.
Correct: manual control for analytics
const handleUpgrade = async () => {
const result = await createCheckoutSession({
priceSlug: 'pro-monthly',
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: false, // Explicitly disable
})
if ('url' in result && result.url) {
// Track checkout initiation before redirect
await analytics.track('checkout_started', {
priceSlug: 'pro-monthly',
checkoutSessionId: result.id,
})
// Then manually redirect
window.location.href = result.url
}
}
4. Building Upgrade Buttons
Impact: MEDIUM
Upgrade buttons must handle loading states and errors gracefully.
4.1 Loading States During Checkout
Impact: MEDIUM (prevents double-clicks and shows feedback)
Checkout session creation is asynchronous. Buttons should show loading state and be disabled during the request.
Incorrect: no loading state
function UpgradeButton({ priceSlug }: { priceSlug: string }) {
const { createCheckoutSession } = useBilling()
const handleClick = async () => {
// User can click multiple times while request is pending
await createCheckoutSession({
priceSlug,
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
}
return <button onClick={handleClick}>Upgrade</button>
}
Correct: with loading state
function UpgradeButton({ priceSlug }: { priceSlug: string }) {
const { createCheckoutSession } = useBilling()
const [isLoading, setIsLoading] = useState(false)
const handleClick = async () => {
setIsLoading(true)
try {
await createCheckoutSession({
priceSlug,
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
} catch (error) {
// Handle error (show toast, etc.)
console.error('Checkout failed:', error)
setIsLoading(false)
}
// Note: don't setIsLoading(false) on success because
// autoRedirect will navigate away from the page
}
return (
<button onClick={handleClick} disabled={isLoading}>
{isLoading ? 'Loading...' : 'Upgrade'}
</button>
)
}
4.2 Disabling During Billing Load
Impact: MEDIUM (prevents errors from undefined methods)
The useBilling hook returns loaded: false until billing data is fetched. Checkout methods should not be called before loading completes.
Incorrect: not checking loaded state
function UpgradeButton({ priceSlug }: { priceSlug: string }) {
const { createCheckoutSession } = useBilling()
// createCheckoutSession may throw if called before loaded
return <button onClick={() => createCheckoutSession({...})}>Upgrade</button>
}
Correct: check loaded state
function UpgradeButton({ priceSlug }: { priceSlug: string }) {
const { loaded, createCheckoutSession } = useBilling()
const [isLoading, setIsLoading] = useState(false)
const handleClick = async () => {
if (!loaded) return
setIsLoading(true)
try {
await createCheckoutSession({
priceSlug,
successUrl: `${window.location.origin}/success`,
cancelUrl: window.location.href,
autoRedirect: true,
})
} catch (error) {
console.error('Checkout failed:', error)
setIsLoading(false)
}
}
return (
<button onClick={handleClick} disabled={!loaded || isLoading}>
{!loaded ? 'Loading...' : isLoading ? 'Redirecting...' : 'Upgrade'}
</button>
)
}
5. Displaying Pricing from pricingModel
Impact: MEDIUM
The pricingModel from useBilling contains all products, prices, and usage meters configured in your Flowglad dashboa
Content truncated.
More by flowglad
View all skills by flowglad →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 serversAgent Collaboration MCP Server — orchestrate AI agents via tmux sessions for parallel task delegation, real-time monitor
Break down complex problems with Sequential Thinking, a structured tool and step by step math solver for dynamic, reflec
Build persistent semantic networks for enterprise & engineering data management. Enable data persistence and memory acro
Boost productivity with Task Master: an AI-powered tool for project management and agile development workflows, integrat
Unlock seamless Figma to code: streamline Figma to HTML with Framelink MCP Server for fast, accurate design-to-code work
Structured spec-driven development workflow for AI-assisted software development. Creates detailed specifications before
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.