Назад към всички

airbyte-agent-connectors

// Sets up and operates Airbyte Agent Connectors — strongly typed Python packages for accessing 21+ third-party APIs (Salesforce, HubSpot, GitHub, Slack, Stripe, Jira, and more) through a unified entity-action interface. Use when the user wants to connect to a SaaS API, set up an Airbyte connector, int

$ git log --oneline --stat
stars:108
forks:21
updated:March 4, 2026
SKILL.mdreadonly
SKILL.md Frontmatter
nameairbyte-agent-connectors
descriptionSets up and operates Airbyte Agent Connectors — strongly typed Python packages for accessing 51+ third-party SaaS APIs through a unified entity-action interface. Supported services include Salesforce, HubSpot, Stripe, GitHub, Slack, Jira, Shopify, Zendesk, Google Ads, Notion, Linear, Intercom, Gong, and 36 more connectors spanning CRM, billing, payments, e-commerce, marketing, analytics, project management, helpdesk, developer tools, HR, and communication platforms. Make sure to use this skill when the user wants to connect to any SaaS API, install an airbyte-agent connector package, integrate third-party service data into a Python application or AI agent, query or search records from any supported service, or configure Airbyte MCP tools for Claude. Covers Platform Mode (Airbyte Cloud) and OSS Mode (local Python SDK).

Airbyte Agent Connectors

Airbyte Agent Connectors let AI agents call third-party APIs through strongly typed, well-documented tools. Each connector is a standalone Python package.

Terminology: Platform Mode = Airbyte Cloud at app.airbyte.ai (managed credentials, UI visibility). OSS Mode = local Python SDK (self-managed credentials, no cloud dependency). Definition ID = UUID that identifies a connector type in the Airbyte API (used in definition_id fields, not connector_type or connector_definition_id).

Important: This skill provides documentation and setup guidance. When helping users set up connectors, follow the documented workflows below. Do NOT attempt to import Python modules, verify package installations, or run code to check configurations -- simply guide users through the steps using the code examples provided.

Mode Detection

First, determine which mode the user needs:

Platform Mode (Airbyte Cloud)

Use when:

  • Environment has AIRBYTE_CLIENT_ID + AIRBYTE_CLIENT_SECRET
  • User wants connectors visible in the Airbyte UI at app.airbyte.ai
  • User needs managed credential storage, entity cache, or multi-tenant deployments

OSS Mode (Open Source / Local SDK)

Use when:

  • User wants to run connectors directly without platform integration
  • User is doing quick development or prototyping
  • User wants Claude Code/Desktop integration via MCP only

Ask if unclear: "Are you using Airbyte Platform (app.airbyte.ai) or open source connectors?"


Supported Connectors

51 connectors available. All connectors follow the same entity-action pattern: connector.execute(entity, action, params)

ConnectorPackageAuth TypeKey Entities
Stripeairbyte-agent-stripeTokenCustomers, Invoices, Charges, Subscri...
HubSpotairbyte-agent-hubspotOAuth, TokenContacts, Companies, Deals, Tickets, ...
GitHubairbyte-agent-githubOAuth, TokenRepositories, Org Repositories, Branc...
Salesforceairbyte-agent-salesforceOAuthSobjects, Accounts, Contacts, Leads, ...
Gongairbyte-agent-gongOAuth, TokenUsers, Calls, Calls Extensive, Call A...

Full table: See references/connector-index.md for all 51 connectors with auth types, key entities, and documentation status.

If the connector is NOT in the index: Inform the user that this connector isn't available yet. Point them to GitHub issues.


Platform Mode Quick Start

For users with Airbyte Platform credentials.

Prerequisites

Get credentials from app.airbyte.ai > Settings > API Keys:

  • AIRBYTE_CLIENT_ID
  • AIRBYTE_CLIENT_SECRET

Create a Connector

from airbyte_agent_stripe import StripeConnector
from airbyte_agent_stripe.models import StripeAuthConfig

connector = await StripeConnector.create_hosted(
    external_user_id="user_123",
    airbyte_client_id="...",
    airbyte_client_secret="...",
    auth_config=StripeAuthConfig(api_key="sk_live_...")
)

Use Existing Connector

connector = StripeConnector(
    external_user_id="user_123",
    airbyte_client_id="...",
    airbyte_client_secret="...",
)
result = await connector.execute("customers", "list", {"limit": 10})

OSS Mode Quick Start

Install

# Using uv (recommended)
uv add airbyte-agent-github

# Or using pip in a virtual environment
python3 -m venv .venv && source .venv/bin/activate
pip install airbyte-agent-github

Use Directly

from airbyte_agent_github import GithubConnector
from airbyte_agent_github.models import GithubPersonalAccessTokenAuthConfig

connector = GithubConnector(
    auth_config=GithubPersonalAccessTokenAuthConfig(token="ghp_your_token")
)

result = await connector.execute("issues", "list", {
    "owner": "airbytehq",
    "repo": "airbyte",
    "states": ["OPEN"],
    "per_page": 10
})

Add to Claude via MCP

claude mcp add airbyte-agent-mcp --scope project

Entity-Action API Pattern

All connectors use the same interface:

result = await connector.execute(entity, action, params)
# result.data contains the records (list or dict depending on action)
# result.meta contains pagination info for list operations

Actions

ActionDescriptionresult.data Type
listGet multiple recordslist[dict]
getGet single record by IDdict
createCreate new recorddict
updateModify existing recorddict
deleteRemove recorddict
api_searchNative API search syntaxlist[dict]

Quick Examples

# List
await connector.execute("customers", "list", {"limit": 10})

# Get
await connector.execute("customers", "get", {"id": "cus_xxx"})

# Search
await connector.execute("repositories", "api_search", {
    "query": "language:python stars:>1000"
})

Pagination

async def fetch_all(connector, entity, params=None):
    all_records = []
    cursor = None
    params = params or {}

    while True:
        if cursor:
            params["after"] = cursor
        result = await connector.execute(entity, "list", params)
        all_records.extend(result.data)

        if result.meta and hasattr(result.meta, 'pagination'):
            cursor = getattr(result.meta.pagination, 'cursor', None)
            if not cursor:
                break
        else:
            break

    return all_records

Authentication Quick Reference

API Key Connectors

# Stripe
from airbyte_agent_stripe.models import StripeAuthConfig
auth_config=StripeAuthConfig(api_key="sk_live_...")

# Gong
from airbyte_agent_gong.models import GongAccessKeyAuthenticationAuthConfig
auth_config=GongAccessKeyAuthenticationAuthConfig(
    access_key="...", access_key_secret="..."
)

# HubSpot (Private App)
from airbyte_agent_hubspot.models import HubspotPrivateAppAuthConfig
auth_config=HubspotPrivateAppAuthConfig(access_token="pat-na1-...")

Personal Access Token

# GitHub
from airbyte_agent_github.models import GithubPersonalAccessTokenAuthConfig
auth_config=GithubPersonalAccessTokenAuthConfig(token="ghp_...")

# Slack
from airbyte_agent_slack.models import SlackAuthConfig
auth_config=SlackAuthConfig(token="xoxb-...")

OAuth (requires refresh token)

# Salesforce
from airbyte_agent_salesforce.models import SalesforceAuthConfig
auth_config=SalesforceAuthConfig(
    client_id="...", client_secret="...", refresh_token="..."
)

Per-connector auth details: Each connector reference in references/connectors/ includes the specific auth class name and fields.


Security Best Practices

  • Never hard-code credentials in source files. Use environment variables or .env files.
  • Use .env pattern: from dotenv import load_dotenv; load_dotenv()
  • Rotate tokens regularly. Use short-lived tokens where possible.
  • For production, use Platform Mode for managed credential storage.

Per-Connector Reference Documentation

Each per-connector reference includes: package name and version, authentication details, available entities and actions, quick-start code snippets, and links to full GitHub documentation.

Reference Documentation

How References Are Generated

Reference docs are auto-generated by scripts/generate_skill_references.py. Run python scripts/generate_skill_references.py --all to regenerate all references, or --connector <name> for a specific connector.


Skill Metadata

Support