sync-builder-skill

🚨 REQUIRED: Invoke integration-patterns-skill First

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "sync-builder-skill" with this command: npx skills add nangohq/skills/nangohq-skills-sync-builder-skill

Nango Sync Builder

🚨 REQUIRED: Invoke integration-patterns-skill First

Before using this skill, you MUST invoke the integration-patterns-skill using the Skill tool.

This dependency skill contains critical shared patterns for:

  • Working directory detection (git root β‰  Nango root)

  • Inline schema requirements (NOT from models.ts)

  • ?? null for optional fields

  • Explicit parameter naming (user_id not user )

  • Type safety (inline types, not any )

  • No .default() on Zod schemas

  • index.ts registration requirement

  • Common mistakes table

If you skip invoking it, you WILL miss critical checklist items and make mistakes.

Use Skill tool: integration-patterns-skill

Overview

Syncs are continuous data synchronization scripts using createSync() . This skill covers sync-specific patterns only.

When to Use

  • Fetching all records of a type periodically (contacts, issues, deals)

  • Data should stay synchronized with external system

  • NOT for: One-time operations or user-triggered requests (use actions)

createSync() Structure

import { createSync } from 'nango'; import { z } from 'zod';

// Schemas defined inline (see integration-patterns-skill) const RecordSchema = z.object({...});

const sync = createSync({ description: 'Brief single sentence', version: '1.0.0', endpoints: [{ method: 'GET', path: '/provider/records', group: 'Records' }], frequency: 'every hour', // or 'every 5 minutes', 'every day' autoStart: true, syncType: 'full', // or 'incremental' // NOTE: Do NOT use trackDeletes - it's deprecated (see warning below)

models: {
    Record: RecordSchema      // Model name β†’ Schema
},

exec: async (nango) => {
    // Sync logic here
}

});

export type NangoSyncLocal = Parameters<(typeof sync)['exec']>[0]; export default sync;

⚠️ trackDeletes is Deprecated

Do NOT use trackDeletes: true in createSync(). This option is deprecated and will be removed in future versions.

Instead, call nango.deleteRecordsFromPreviousExecutions() at the END of your sync's exec function (after all batchSave() calls). This is the recommended approach for automatic deletion detection in full syncs.

// ❌ WRONG - deprecated const sync = createSync({ trackDeletes: true, // Don't use this! // ... });

// βœ… CORRECT - call at end of exec exec: async (nango) => { // ... fetch and batchSave all records ...

await nango.deleteRecordsFromPreviousExecutions('ModelName');

}

Full Refresh Sync (Recommended)

Downloads all records each run. Automatic deletion detection.

exec: async (nango) => { const proxyConfig = { // https://api-docs-url endpoint: 'api/v1/records', paginate: { limit: 100 } };

for await (const batch of nango.paginate(proxyConfig)) {
    const records = batch.map((r: { id: string; name: string }) => ({
        id: r.id,
        name: r.name
        // Use ?? null for optional fields (see integration-patterns-skill)
    }));

    if (records.length > 0) {
        await nango.batchSave(records, 'Record');
    }
}

// MUST be called at END after ALL batches saved
await nango.deleteRecordsFromPreviousExecutions('Record');

}

Incremental Sync

Only fetches new/updated records since last sync. Use when API supports filtering by modified date.

const sync = createSync({ syncType: 'incremental', frequency: 'every 5 minutes', // ...

exec: async (nango) => {
    const lastSync = nango.lastSyncDate;

    const proxyConfig = {
        endpoint: '/api/records',
        params: {
            sort: 'updated',
            ...(lastSync &#x26;&#x26; { since: lastSync.toISOString() })
        },
        paginate: { limit: 100 }
    };

    for await (const batch of nango.paginate(proxyConfig)) {
        await nango.batchSave(mappedRecords, 'Record');
    }

    // Manual deletion handling if API supports it
    if (lastSync) {
        const deleted = await nango.get({
            endpoint: '/api/records/deleted',
            params: { since: lastSync.toISOString() }
        });
        if (deleted.data.length > 0) {
            await nango.batchDelete(
                deleted.data.map((d: { id: string }) => ({ id: d.id })),
                'Record'
            );
        }
    }
}

});

Key SDK Methods

Method Purpose

nango.paginate(config)

Iterate through paginated responses

nango.batchSave(records, model)

Save records to cache

nango.batchDelete(records, model)

Mark as deleted (incremental)

nango.deleteRecordsFromPreviousExecutions(model)

Auto-detect deletions (full)

nango.lastSyncDate

Last sync timestamp (incremental)

Pagination Patterns

Standard (use nango.paginate ):

for await (const batch of nango.paginate({ endpoint: '/api', paginate: { limit: 100 } })) { await nango.batchSave(mapped, 'Model'); }

Manual cursor-based:

let cursor: string | undefined; while (true) { const res = await nango.get({ endpoint: '/api', params: { cursor } }); await nango.batchSave(res.data.items, 'Model'); cursor = res.data.next_cursor; if (!cursor) break; }

Syncs Requiring Metadata

Some APIs require IDs that can't be discovered programmatically (e.g., Figma team_id).

const MetadataSchema = z.object({ team_id: z.string() });

const sync = createSync({ metadata: MetadataSchema, // Declare metadata requirement // ...

exec: async (nango) => {
    const metadata = await nango.getMetadata();
    const teamId = metadata?.team_id;

    if (!teamId) {
        throw new Error('team_id is required in metadata.');
    }

    // Use in API calls
    const response = await nango.get({
        endpoint: `/v1/teams/${teamId}/projects`
    });
}

});

Dryrun Command Syntax

Exact syntax for sync dryrun:

npx nango dryrun <sync-name> <connection-id> --integration-id <provider> -m '<metadata-json>' ↑ ↑ ↑ ↑ β”‚ β”‚ β”‚ └── Metadata JSON (if sync requires) β”‚ β”‚ └── Provider name (slack, hubspot, etc.) β”‚ └── Connection ID (positional, NOT a flag) └── Sync name (positional)

Arguments breakdown:

Position/Flag Example Description

1st positional fetch-contacts

Sync name (kebab-case)

2nd positional action-builder

Connection ID from user

--integration-id

hubspot

Provider/integration name

-m

'{"team_id":"123"}'

Metadata JSON (if sync requires)

Optional flags:

  • --save-responses

  • Save API response as mock

  • --auto-confirm

  • Skip confirmation prompts

After Creating a Sync

Always output the dryrun command using user-provided values:

Template (without metadata)

npx nango dryrun <sync-name> <connection-id> --integration-id <provider>

Template (with metadata)

npx nango dryrun <sync-name> <connection-id> --integration-id <provider> -m '{"key":"value"}'

Example: user provided connectionId: action-builder

npx nango dryrun fetch-contacts action-builder --integration-id hubspot

Using User-Provided Values

When the user provides test values, use them:

  • Connection ID β†’ Use in dryrun command

  • Metadata values (team_id, workspace_id) β†’ Use in:

  • metadata.json mock file

  • -m flag for dryrun

  • API reference URL β†’ Fetch for schema details

Mock Directory Structure

{integrationId}/mocks/ β”œβ”€β”€ meta.json # {"connection_id": "my-connection"} β”œβ”€β”€ fetch-records/ β”‚ β”œβ”€β”€ output.json # Expected output per record β”‚ └── metadata.json # Metadata inputs (if sync requires) └── nango/<method>/proxy/<path>/ └── <hash>.json # API response from --save-responses

metadata.json is analogous to input.json for actions - provides metadata inputs for testing.

Sync-Specific Checklist

Structure:

  • createSync() with description, version, endpoints, frequency, syncType

  • models object maps model names to schemas

  • export type NangoSyncLocal and export default sync

Sync Logic:

  • nango.paginate() or manual pagination loop

  • batchSave() called for each batch

  • Full syncs: deleteRecordsFromPreviousExecutions() at END

  • Incremental syncs: filter using lastSyncDate

Mocks:

  • output.json with expected record shape

  • metadata.json (if sync requires metadata)

See integration-patterns-skill for: schema, naming, typing, path, and index.ts registration checklist items.

Sync-Specific Mistakes

Mistake Why It Fails Fix

Using trackDeletes: true

Deprecated, causes compiler warning Use deleteRecordsFromPreviousExecutions() instead

Forgetting deleteRecordsFromPreviousExecutions()

Deleted records remain Add at end for full syncs

Calling deletion before all batches saved Deletes current batch Call only AFTER all batches

Not using lastSyncDate in incremental Re-syncs everything Filter by it in API params

Missing batchSave() call Records not persisted Call for each batch

Missing metadata.json Test fails to find metadata Create mocks/<sync>/metadata.json

For schema, naming, typing, registration mistakes β†’ invoke integration-patterns-skill

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

General

nango-function-builder

No summary provided by upstream source.

Repository SourceNeeds Review
General

migrating-nango-deletion-detection

No summary provided by upstream source.

Repository SourceNeeds Review
General

integration-patterns-skill

No summary provided by upstream source.

Repository SourceNeeds Review
General

action-builder-skill

No summary provided by upstream source.

Repository SourceNeeds Review