Supergood | Leap API

Supergood | Leap API

Programmatically access clients, matters, time entries, billing data, and document references from Leap with a stable REST API. Supergood builds and operates production-grade, unofficial Leap integrations so your team can automate legal operations without heavy custom engineering—and with clean handoffs to iManage when your client’s DMS lives there.

Plain English: Leap is cloud software that helps law firms run their practice—manage clients and matters, generate documents and court forms, track time, invoice, and handle trust accounting—tightly integrated with Microsoft 365. An unofficial API lets you pull structured matter and contact data, time/billing records, and document metadata—and push new clients, open matters, capture time, and update billing status.

For a tech company integrating with Leap, this means you can synchronize client/matter intake with your workflows, power pre-bill and collections features with real-time time-entry data, and keep document and email filing aligned when your customer uses iManage for document management. You can map Leap matters to iManage workspaces, share matter numbers and filing locations, trigger workspace creation when a matter opens, and push document or email references back to Leap for a consistent source-of-truth across systems.

What is Leap?

Leap (https://www.leap.us) is a cloud-based legal practice management platform used by small and mid-sized law firms to centralize client and matter management, document automation, timekeeping, billing, and trust accounting. It includes a large library of jurisdiction-specific court forms and integrates deeply with Microsoft Word, Outlook, and accounting tools like QuickBooks Online and Xero.

Core product areas include:

  • Matter & Client Management (parties, roles, statuses, conflict checks)
  • Document Automation & Forms (Microsoft Word templates, jurisdictional court forms)
  • Email & Document Management (filing to matters, versioning, metadata)
  • Timekeeping & Expenses (desktop, mobile, Outlook add-ins)
  • Billing & Trust Accounting (pre-bills, invoices, trust receipts/disbursements, LEDES/UTBMS)
  • Tasks & Calendaring (checklists, reminders, court dates)
  • Reporting (WIP, AR, realization, trust balances)

Common data entities:

  • Contacts/Clients (individuals and organizations; names, addresses, emails, tax IDs)
  • Matters (matter number, title, practice area, status, responsible attorney, client, custom fields)
  • Parties/Roles (client, opposing counsel, co-counsel, related parties)
  • Documents & Emails (metadata, storage locations, version references)
  • Time Entries & Expenses (work date, duration, rate, task/activity codes, narrative)
  • Invoices & Payments (pre-bills, final invoices, AR, write-offs)
  • Trust Ledger (receipts, disbursements, transfers, balances)
  • Users & Permissions (attorneys, paralegals, billing roles)
  • Audit Events (who changed what, when)

The Leap Integration Challenge

Law firms rely on Leap daily, but turning a rich, desktop-forward workflow into API-driven automation—especially when your customer’s DMS is iManage—can be challenging:

  • Matter identity across systems: Consistent client/matter numbering must map to iManage workspaces and folder structures
  • DMS boundaries: Documents and emails may live in iManage while matter metadata, time, and billing live in Leap—references need to stay in sync
  • Accounting and trust rules: Trust transactions and billing operations require strict sequencing, permissions, and auditability
  • Desktop add-ins and background jobs: Time capture, document assembly, and email filing originate from Word/Outlook add-ins and need asynchronous handling
  • Practice-area variance: Different practices use unique checklists, UTBMS codes, and custom fields that must be normalized
  • Authentication & tenancy: SSO/MFA and region-specific tenants complicate headless access and data residency

How Supergood Creates Leap APIs

Supergood reverse-engineers authenticated browser flows and desktop-invoked network interactions to deliver a resilient API endpoint layer for your Leap tenant—and align it with your iManage-centric document workflows.

  • Handles username/password, SSO/OAuth, and MFA (SMS, email, TOTP) securely
  • Maintains session continuity with automated refresh and change detection
  • Normalizes contacts, matters, time, and billing into consistent schemas
  • Maps Leap matter identifiers to iManage workspace IDs and filing paths
  • Supports high-volume time-entry ingestion with idempotency and retry
  • Honors firm permissions and trust-accounting controls
  • Offers polling and webhooks for long-running operations (e.g., batch matter updates)

Use Cases

Matter Intake & Workspace Provisioning

  • Push new clients and matters from your intake or CRM into Leap
  • Automatically create and link iManage workspaces using Leap’s matter number and metadata
  • Sync custom fields and practice-area templates for consistent file plans

Time Capture & Pre-Bill Automation

  • Send time entries from your product (timers, mobile capture) to Leap
  • Retrieve WIP for pre-bill review, apply write-downs or adjustments, and publish to invoices
  • Trigger alerts when budget thresholds or fee caps are reached

Document Metadata Sync With iManage

  • Read matter metadata to build iManage workspace names and folder paths
  • Push document/email references (iManage document numbers, filing folders) back to Leap
  • Keep version references and filing locations aligned during matter lifecycle events

Trust & Billing Compliance

  • Enforce billing rules and UTBMS coding upstream of Leap
  • Surface trust balances and payment statuses to your application for collections workflows
  • Export immutable audit logs of billing and trust events

Available Endpoints

Authentication

POST /sessions: Establish a session using credentials. Supergood manages MFA (SMS, email, TOTP) and SSO/OAuth when enabled. Returns a short-lived auth token maintained by the platform.

curl --request POST \
  --url https://api.supergood.ai/integrations/<integration_id>/sessions \
  --header 'Authorization: Basic <Base64 encoded token>' \
  --header 'Content-Type: application/json' \
  --data '{
    "username": "[email protected]",
    "password": "<password>",
    "mfa": { "type": "totp", "code": "123456" }
  }'

Example response

{
  "authToken": "eyJhbGciOi...",
  "expiresIn": 3600,
  "user": {
    "id": "u_leap_a913ef",
    "name": "Paralegal One",
    "roles": ["time", "matters", "billing"]
  }
}

POST /sessions/refresh: Refresh an existing token to keep sessions uninterrupted.

Contacts

POST /contacts: Create or update a contact (individual or organization) for use on matters.

curl --request POST \
  --url https://api.supergood.ai/integrations/<integration_id>/contacts \
  --header 'Authorization: Bearer <authToken>' \
  --header 'Content-Type: application/json' \
  --data '{
    "externalId": "acct-48291",
    "type": "individual",
    "name": {"given": "Maya", "family": "Nguyen"},
    "emails": ["[email protected]"],
    "phones": [{"type": "mobile", "number": "+1-415-555-0198"}],
    "addresses": [{
      "line1": "200 Market St",
      "city": "San Francisco",
      "region": "CA",
      "postalCode": "94105",
      "country": "US"
    }],
    "identifiers": [{"type": "tax_id", "value": "***-**-6789"}],
    "conflictCheck": {"run": true}
  }'

Example response

{
  "contactId": "ct_2b7f0d",
  "conflictCheck": {"status": "completed", "conflictsFound": false},
  "createdAt": "2026-02-20T14:03:11Z"
}

Matters

POST /matters: Create or update a matter and optionally map it to an existing iManage workspace.

curl --request POST \
  --url https://api.supergood.ai/integrations/<integration_id>/matters \
  --header 'Authorization: Bearer <authToken>' \
  --header 'Content-Type: application/json' \
  --data '{
    "externalId": "opp-17420",
    "client": {"contactId": "ct_2b7f0d"},
    "title": "Asset Purchase Agreement for Acme, Inc.",
    "practiceArea": "Corporate",
    "responsibleAttorneyId": "u_leap_att_0912",
    "status": "open",
    "openedAt": "2026-02-20",
    "customFields": {"feeArrangement": "fixed", "budget": 35000},
    "iManage": {
      "workspaceId": "w12345",
      "workspaceName": "ACME-APA-2026",
      "rootFolderPath": "Clients/ACME/Matters/APA-2026"
    },
    "tags": ["priority", "transactional"]
  }'

Example response

{
  "matterId": "mtr_a41c8e",
  "matterNumber": "2026-CORP-00419",
  "status": "open",
  "iManage": {"workspaceId": "w12345"},
  "createdAt": "2026-02-20T14:05:44Z"
}

GET /matters: List matters with filters for status, practice area, client, and iManage mapping.

Query parameters

  • status: open | closed | archived
  • clientId: string
  • practiceArea: string
  • iManageWorkspaceId: string
  • updatedFrom, updatedTo: ISO 8601 timestamps
  • page, pageSize: integers for pagination

Example response

{
  "items": [
    {
      "matterId": "mtr_a41c8e",
      "matterNumber": "2026-CORP-00419",
      "title": "Asset Purchase Agreement for Acme, Inc.",
      "client": {"contactId": "ct_2b7f0d", "displayName": "Maya Nguyen"},
      "status": "open",
      "practiceArea": "Corporate",
      "responsibleAttorneyId": "u_leap_att_0912",
      "openedAt": "2026-02-20",
      "iManage": {"workspaceId": "w12345", "rootFolderPath": "Clients/ACME/Matters/APA-2026"},
      "billing": {"currency": "USD", "rateSchedule": "STD-2026"},
      "updatedAt": "2026-02-20T14:05:44Z"
    }
  ],
  "page": 1,
  "pageSize": 50,
  "total": 1
}

Time Entries

POST /time-entries: Create a time entry for a matter with UTBMS task/activity coding and narrative.

curl --request POST \
  --url https://api.supergood.ai/integrations/<integration_id>/time-entries \
  --header 'Authorization: Bearer <authToken>' \
  --header 'Content-Type: application/json' \
  --data '{
    "matterId": "mtr_a41c8e",
    "userId": "u_leap_att_0912",
    "workDate": "2026-02-20",
    "durationMinutes": 90,
    "taskCode": "L200",  
    "activityCode": "A102", 
    "narrative": "Drafted APA reps & warranties; reviewed diligence checklist",
    "billable": true,
    "rate": {"currency": "USD", "amount": 52500},
    "tags": ["drafting", "transaction"]
  }'

Example response

{
  "timeEntryId": "te_c90a12",
  "status": "unbilled",
  "billableAmount": {"currency": "USD", "amount": 78750},
  "createdAt": "2026-02-20T14:18:12Z"
}

Get full API Specs →


Technical Specifications

  • Authentication: Username/password with MFA (SMS, email, TOTP) and SSO/OAuth where enabled; supports service accounts or customer-managed credentials
  • Response format: JSON with consistent resource schemas and pagination across modules
  • Rate limits: Tuned for firm-grade throughput while honoring user entitlements and usage controls
  • Session management: Automatic reauth and cookie/session rotation with health checks
  • Data freshness: Near real-time retrieval of contacts, matters, time, invoices, and document references
  • Security: Encrypted transport, scoped tokens, and audit logging; respects Leap role-based permissions and trust-accounting constraints
  • Webhooks: Optional asynchronous delivery for long-running workflows (e.g., batch matter updates, billing cycle events)

Performance Characteristics

  • Latency: Sub-second responses for list/detail queries under normal load; document and billing operations reflect underlying platform behavior
  • Throughput: Designed for high-volume time-entry ingestion and matter synchronization
  • Reliability: Retry logic, backoff, and idempotency keys minimize duplicates and support at-least-once processing
  • Adaptation: Continuous monitoring for UI/API changes with rapid adapter updates

Getting Started

  1. Schedule Integration Assessment

Book a 30-minute session to confirm your modules, licensing, and authentication model.

  1. Supergood Builds and Validates Your API

We deliver a hardened Leap adapter tailored to your workflows, iManage mappings, and entitlements.

  1. Deploy with Monitoring

Go live with continuous monitoring and automatic adjustments as Leap evolves.

Schedule Integration Call →


Frequently Asked Questions

Q: Which Leap modules can this integration cover?

Supergood supports workflows commonly used by firms on Leap, including Contacts & Matters, Time & Expenses, Billing & Trust, Document/Email metadata, and Reporting/Audit, subject to your licensing and entitlements. We scope coverage during integration assessment.

Q: How do you handle iManage alongside Leap?

We map Leap matter numbers and metadata to iManage workspace IDs and folder paths, synchronize document/email references in both directions where permitted, and avoid moving content across systems unless explicitly required—keeping iManage as the system-of-record for documents while Leap remains the system-of-record for matters and billing.

Q: Do you support conflict checks and custom fields?

Yes. We can trigger and retrieve conflict-check results and normalize custom fields by practice area so your application can enforce intake rules before matter opening.

Q: How are time entries validated for billing?

We validate UTBMS task/activity codes, rate schedules, and billable flags upstream. Idempotency keys and per-entry audit trails ensure clean WIP and pre-bill generation.

Q: Can we maintain a complete audit trail?

Yes. We capture who did what and when, with before/after values, and preserve raw source records for compliance and internal QA.


iManage API - Sync matter metadata and document references alongside Leap


Ready to automate your Leap workflows?

Supergood can have your Leap integration live in days with no ongoing engineering maintenance.

Get Started →

Read more