All Skills

Build marketplaces and platforms with Stripe Connect. Use when implementing multi-vendor payments, seller onboarding, commissions, payouts, or split payments.

B
$npx skills add fusengine/agents --skill laravel-stripe-connect

Laravel Stripe Connect

Agent Workflow (MANDATORY)

Before ANY implementation, use TeamCreate to spawn 3 agents:

  1. fuse-ai-pilot:explore-codebase - Check existing payment setup, Seller model
  2. fuse-ai-pilot:research-expert - Verify latest Stripe Connect docs via Context7
  3. mcp__context7__query-docs - Query specific patterns (account types, payment flows)

After implementation, run fuse-ai-pilot:sniper for validation.


Overview

Stripe Connect enables platforms and marketplaces to accept payments and pay out sellers/service providers.

Use CaseExampleThis Skill
MarketplaceEtsy, eBay✅ Yes
On-demand servicesUber, DoorDash✅ Yes
CrowdfundingKickstarter✅ Yes
SaaS with payoutsSubstack, Teachable✅ Yes
Simple SaaSNetflix, Notion❌ Use billing

Key Difference: Billing vs Connect

AspectLaravel CashierStripe Connect
Money flowCustomer → YouCustomer → Seller (via you)
Accounts1 Stripe accountPlatform + N seller accounts
Use caseSubscriptionsMulti-party payments
ComplexitySimpleComplex

Critical Rules

  1. Verify seller identity - KYC required before payouts
  2. Handle negative balances - Platform liable if seller can't cover refunds
  3. Webhook-driven - Never trust client-side for payment confirmation
  4. Store account IDs - Always persist stripe_account_id on sellers
  5. Test with test mode - Use test account IDs before production
  6. Understand liability - Know who pays for disputes per account type

Architecture

app/
├── Http/
│   ├── Controllers/
│   │   └── Connect/
│   │       ├── SellerOnboardingController.php
│   │       ├── MarketplacePaymentController.php
│   │       └── PayoutController.php
│   └── Middleware/
│       └── EnsureSellerOnboarded.php
├── Models/
│   ├── Seller.php              ← Connected account holder
│   └── Transaction.php         ← Payment records
├── Listeners/
│   └── ConnectWebhookHandler.php
└── Services/
    └── StripeConnectService.php

config/
└── services.php                ← Stripe keys

routes/
└── web.php                     ← Webhook routes (no CSRF)

Decision Guide

Which Account Type?

Who handles customer support?
├── Seller handles everything → Standard
├── Platform handles support → Express or Custom
│   ├── Need full UI control? → Custom
│   └── Want Stripe's dashboard? → Express (recommended)

Which Payment Flow?

Who appears on customer's bank statement?
├── Seller's name → Direct charges
├── Platform's name → Destination charges (recommended)
└── Complex split? → Separate charges + transfers

Key Concepts

ConceptDescriptionReference
Connected AccountSeller's Stripe account linked to platformaccount-types.md
OnboardingKYC process for sellersonboarding.md
Application FeePlatform's commission on paymentsfees-commissions.md
Destination ChargePayment with automatic transfer to sellerpayment-flows.md
PayoutTransfer from Stripe balance to bankpayouts.md

Reference Guide

Concepts (WHY & Architecture)

TopicReferenceWhen to Consult
Overviewoverview.mdUnderstanding Connect fundamentals
Account Typesaccount-types.mdChoosing Standard/Express/Custom
Payment Flowspayment-flows.mdDirect vs Destination vs Transfers
Onboardingonboarding.mdSeller verification process
Fees & Commissionsfees-commissions.mdPlatform revenue model
Payoutspayouts.mdPaying sellers
Refunds & Disputesrefunds-disputes.mdHandling chargebacks
Compliancecompliance.mdLegal and tax requirements

Templates (Complete Code)

TemplateWhen to Use
Seller.php.mdSeller model with Connect integration
SellerOnboardingController.php.mdOAuth and onboarding flow
MarketplacePaymentController.php.mdCreating charges with fees
PayoutController.php.mdManaging seller payouts
ConnectWebhookHandler.php.mdWebhook event handling
ConnectRoutes.php.mdRoute definitions

Quick Reference

Create Connected Account

$account = \Stripe\Account::create([
    'type' => 'express',
    'country' => 'FR',
    'email' => $seller->email,
    'capabilities' => [
        'card_payments' => ['requested' => true],
        'transfers' => ['requested' => true],
    ],
]);

$seller->update(['stripe_account_id' => $account->id]);
$link = \Stripe\AccountLink::create([
    'account' => $seller->stripe_account_id,
    'refresh_url' => route('connect.onboarding.refresh'),
    'return_url' => route('connect.onboarding.complete'),
    'type' => 'account_onboarding',
]);

return redirect($link->url);

Destination Charge with Fee

$payment = \Stripe\PaymentIntent::create([
    'amount' => 10000, // €100.00
    'currency' => 'eur',
    'payment_method' => $paymentMethodId,
    'confirm' => true,
    'application_fee_amount' => 1500, // €15.00 platform fee
    'transfer_data' => [
        'destination' => $seller->stripe_account_id,
    ],
]);

Check Account Status

$account = \Stripe\Account::retrieve($seller->stripe_account_id);

$isOnboarded = $account->charges_enabled && $account->payouts_enabled;
$needsInfo = !empty($account->requirements->currently_due);

Best Practices

DO

  • Use Express accounts for most marketplaces
  • Implement webhook handlers for all Connect events
  • Store transaction records locally
  • Handle account.updated to track onboarding status
  • Use idempotency keys for payment creation
  • Test with Stripe CLI and test clocks

DON'T

  • Enable payouts before KYC completion
  • Ignore negative balance scenarios
  • Skip webhook signature verification
  • Hardcode Stripe account IDs
  • Forget to handle dispute notifications
  • Process refunds without checking seller balance