Skip to content

amitray007/etsy-python-sdk

Repository files navigation

Etsy API Client Library for Python

PyPI version license last-commit repo-top-language

etsy-api-badge


Table of Contents


Overview

A comprehensive Python client library for the Etsy API v3, providing a modern, type-safe interface for interacting with the Etsy marketplace. This SDK simplifies OAuth 2.0 authentication, automatic token refresh, and provides complete coverage of Etsy's API endpoints.

Features

Complete API Coverage - Full support for Etsy API v3 endpoints including:

  • Listings management (create, update, delete, search)
  • Shop operations (sections, policies, production partners)
  • Receipt and transaction handling
  • Shipping profiles and destinations
  • Product taxonomy and attributes
  • File, image, and video uploads
  • Reviews and payment processing

🔐 Robust Authentication - OAuth 2.0 with PKCE support:

  • Secure authorization code flow
  • Automatic token refresh before expiry
  • Custom token synchronization callbacks
  • Session management with timezone-aware expiry handling

🏗️ Developer-Friendly Architecture:

  • Type-safe request/response models using dataclasses
  • Comprehensive enum definitions for API parameters
  • Consistent error handling with detailed exceptions
  • Rate limiting information in responses
  • Clean separation of concerns with resource-based structure

Production Ready:

  • Built-in retry logic for failed requests
  • Configurable environments (production/staging)
  • Extensive error handling and validation
  • Support for file uploads and multipart requests

Requirements

Installation

Install from PyPI

pip install etsy-python

Install from Source

git clone https://github.com/amitray007/etsy-python-sdk.git
cd etsy-python-sdk
pip install -e .

Dependencies

The SDK requires:

  • requests>=2.32.2 - HTTP client library
  • requests-oauthlib>=1.3.1 - OAuth 2.0 support

Quick Start

1. Authentication Setup

from etsy_python.v3.auth.OAuth import EtsyOAuth

# Initialize OAuth client
oauth = EtsyOAuth(
    keystring="your_api_key",
    redirect_uri="http://localhost:8000/callback",
    scopes=["listings_r", "listings_w", "shops_r", "shops_w"]
)

# Get authorization URL
auth_url, state = oauth.get_auth_code()
print(f"Visit this URL to authorize: {auth_url}")

# After user authorizes, set the authorization code
oauth.set_authorisation_code(code="auth_code_from_callback", state=state)

# Get access token
token_data = oauth.get_access_token()

2. Initialize Client Session

from datetime import datetime
from etsy_python.v3.resources.Session import EtsyClient

# Create client with tokens
client = EtsyClient(
    keystring="your_api_key",
    access_token=token_data["access_token"],
    refresh_token=token_data["refresh_token"],
    expiry=datetime.utcnow() + timedelta(seconds=token_data["expires_in"])
)

3. Make API Calls

from etsy_python.v3.resources.Listing import ListingResource
from etsy_python.v3.enums.Listing import State, SortOn, SortOrder

# Initialize resource
listing_resource = ListingResource(session=client)

# Get active listings for a shop
response = listing_resource.get_listings_by_shop(
    shop_id=12345,
    state=State.ACTIVE,
    limit=25,
    sort_on=SortOn.CREATED,
    sort_order=SortOrder.DESC
)

print(f"Found {len(response.message['results'])} listings")

Usage Examples

Managing Listings

from etsy_python.v3.models.Listing import CreateDraftListingRequest
from etsy_python.v3.enums.Listing import WhoMade, WhenMade

# Create a draft listing
draft_listing = CreateDraftListingRequest(
    title="Handmade Ceramic Mug",
    description="Beautiful handcrafted ceramic mug",
    price=25.00,
    quantity=10,
    who_made=WhoMade.I_DID,
    when_made=WhenMade.MADE_TO_ORDER,
    taxonomy_id=1234,
    tags=["ceramic", "mug", "handmade"]
)

response = listing_resource.create_draft_listing(
    shop_id=12345,
    listing=draft_listing
)

Working with Receipts

from etsy_python.v3.resources.Receipt import ReceiptResource
from etsy_python.v3.models.Receipt import CreateReceiptShipmentRequest

receipt_resource = ReceiptResource(session=client)

# Get shop receipts
receipts = receipt_resource.get_shop_receipts(
    shop_id=12345,
    limit=50
)

# Create shipment for a receipt
shipment_request = CreateReceiptShipmentRequest(
    tracking_number="1Z999AA10123456784",
    carrier_name="USPS",
    notification_sent=True
)

receipt_resource.create_receipt_shipment(
    shop_id=12345,
    receipt_id=67890,
    shipment=shipment_request
)

Uploading Images

from etsy_python.v3.resources.ListingImage import ListingImageResource
from etsy_python.v3.models.Listing import UploadListingImageRequest

image_resource = ListingImageResource(session=client)

# Upload image to listing
with open("product_photo.jpg", "rb") as image_file:
    upload_request = UploadListingImageRequest(
        image=image_file,
        alt_text="Front view of ceramic mug"
    )

    response = image_resource.upload_listing_image(
        shop_id=12345,
        listing_id=67890,
        image=upload_request
    )

Handling Shipping Profiles

from etsy_python.v3.resources.ShippingProfile import ShippingProfileResource
from etsy_python.v3.models.ShippingProfile import CreateShopShippingProfileRequest
from etsy_python.v3.enums.ShippingProfile import ProcessingTimeUnit

shipping_resource = ShippingProfileResource(session=client)

# Create shipping profile
profile_request = CreateShopShippingProfileRequest(
    title="Standard Shipping",
    processing_time_value=3,
    processing_time_unit=ProcessingTimeUnit.BUSINESS_DAYS,
    origin_country_iso="US",
    primary_cost=5.00,
    secondary_cost=2.00
)

response = shipping_resource.create_shop_shipping_profile(
    shop_id=12345,
    profile=profile_request
)

Token Management with Callback

def save_tokens_to_database(access_token, refresh_token, expiry):
    """Custom function to persist tokens"""
    # Your database logic here
    pass

# Initialize client with token sync callback
client = EtsyClient(
    keystring="your_api_key",
    access_token=access_token,
    refresh_token=refresh_token,
    expiry=expiry,
    sync_refresh=save_tokens_to_database
)

# Tokens will be automatically refreshed and saved when expired

API Resources

The SDK provides comprehensive coverage of Etsy API v3 resources:

Core Resources

  • Listing - Create, read, update, delete listings
  • Shop - Manage shop information and settings
  • Receipt - Handle orders and transactions
  • User - User profiles and addresses
  • ShippingProfile - Configure shipping options

Media Resources

  • ListingImage - Upload and manage listing images
  • ListingVideo - Upload and manage listing videos
  • ListingFile - Digital file management

Commerce Resources

  • ListingInventory - Stock and SKU management
  • Payment - Payment processing and ledger entries
  • Review - Customer reviews management

Shop Management

  • ShopSection - Organize listings into sections
  • ShopReturnPolicy - Define return policies
  • ShopProductionPartner - Manage production partners

Error Handling

The SDK provides detailed error information through custom exceptions:

from etsy_python.v3.exceptions.RequestException import RequestException

try:
    response = listing_resource.get_listing(listing_id=12345)
except RequestException as e:
    print(f"Error Code: {e.code}")
    print(f"Error Message: {e.error}")
    print(f"Error Description: {e.type}")

    # Rate limit information (if available)
    if e.rate_limits:
        print(f"Daily Limit: {e.rate_limits.limit_per_day}")
        print(f"Remaining Today: {e.rate_limits.remaining_today}")

Environment Configuration

Configure the SDK environment using environment variables:

# Set environment (defaults to PROD)
export ETSY_ENV=PROD

Project Structure

etsy-python-sdk/
├── etsy_python/
│   └── v3/
│       ├── auth/          # OAuth authentication
│       ├── common/        # Shared utilities
│       ├── enums/         # API enum definitions
│       ├── exceptions/    # Custom exceptions
│       ├── models/        # Request/response models
│       └── resources/     # API endpoint implementations
├── setup.py               # Package configuration
├── LICENSE                # MIT License
└── README.md              # Documentation

Contributing

We welcome contributions! Please see our Contributing Guidelines for details.

Automatic Versioning

This project uses automatic semantic versioning based on commit messages:

  • Commits with breaking: or BREAKING CHANGE → Major version bump (1.0.0 → 2.0.0)
  • Commits with feat: or containing feature → Minor version bump (1.0.0 → 1.1.0)
  • All other commits → Patch version bump (1.0.0 → 1.0.1)

The version is automatically bumped when changes are pushed to the master branch, and the package is automatically published to PyPI.

Skipping CI/CD

To skip the automatic versioning and publishing workflow, include one of these phrases in your commit message:

  • [skip ci]
  • [ci skip]
  • skip ci
  • [no ci]

Example:

git commit -m "docs: update README [skip ci]"

Manual Release (for maintainers)

For local testing or manual releases:

# Install development dependencies
pip install -e .

# Create a patch release
python scripts/release.py patch

# Create a minor release
python scripts/release.py minor

# Create a major release
python scripts/release.py major

# Dry run (local only, no push)
python scripts/release.py patch --no-push

Development Setup

  1. Fork the repository
  2. Clone your fork:
    git clone https://github.com/yourusername/etsy-python-sdk.git
    cd etsy-python-sdk
  3. Create a virtual environment:
    python -m venv venv
    source venv/bin/activate  # On Windows: venv\Scripts\activate
  4. Install dependencies:
    pip install -r etsy_python/requirements.txt
  5. Create a feature branch:
    git checkout -b feature/your-feature-name
  6. Make your changes and commit:
    git commit -m "Add your feature"
  7. Push and create a pull request

Support

License

This project is licensed under the MIT License - see the LICENSE file for details.

Changelog

See Releases for full changelog.


Made with ❤️ for the Etsy developer community

About

Etsy Python Support for v3+ API levels.

Topics

Resources

License

Contributing

Stars

Watchers

Forks

Sponsor this project

 

Contributors 4

  •  
  •  
  •  
  •  

Languages