OFAuth Python SDK v2 - Type-safe API client with Pydantic models
Project description
OnlyFans API - Python SDK
The official OnlyFans API Python SDK by OFAuth. A type-safe Python client for integrating with the OnlyFans API, featuring Pydantic v2 models for full type safety. Build OnlyFans tools, dashboards, analytics, and automations in Python.
What is this? This is an SDK for the OnlyFans API via OFAuth — the only authorized way to programmatically access OnlyFans data. Use it to build OnlyFans integrations, manage creator accounts, access earnings data, automate messaging, and more.
Installation
pip install onlyfans-sdk
Quick Start
from onlyfans_sdk import OFAuthClient, account
client = OFAuthClient(api_key="your-api-key")
result = account.whoami(client)
print(result)
Features
- Type safety with generated Pydantic v2 models
- Functional API design (module-level functions, pass client as first arg)
- Built-in pagination iterators (generators)
- Proxy support for direct OnlyFans API access
- Media upload with automatic chunked uploads
- Webhook verification and routing (Svix-compatible, Flask + FastAPI helpers)
- Context manager support (
withstatement) - httpx-powered HTTP client
Configuration
from onlyfans_sdk import OFAuthClient
# Basic
client = OFAuthClient(api_key="your-api-key")
# With default connection ID (for access API calls)
client = OFAuthClient(
api_key="your-api-key",
connection_id="conn_xxx",
)
# Full configuration
client = OFAuthClient(
api_key="your-api-key",
connection_id="conn_xxx",
base_url="https://api-next.ofauth.com",
timeout=30.0,
)
Context manager support:
with OFAuthClient(api_key="your-api-key") as client:
result = account.whoami(client)
# client.close() called automatically
Usage Examples
Account Operations
from onlyfans_sdk import OFAuthClient, account
client = OFAuthClient(api_key="your-api-key")
# Get account info
info = account.whoami(client)
print(info["id"], info["permissions"])
# List connections
connections = account.list_connections(client, status="active", limit=10)
for conn in connections["list"]:
print(f"{conn['id']}: {conn['userData']['username']} ({conn['status']})")
# Get connection settings
settings = account.get_connection_settings(client, connection_id="conn_xxx")
Access API (OnlyFans Data)
Access endpoints require a connection_id, set on the client or per-call:
from onlyfans_sdk import OFAuthClient, posts, earnings, subscribers
from onlyfans_sdk import self as self_module # 'self' is a Python keyword
client = OFAuthClient(api_key="your-api-key", connection_id="conn_xxx")
# Get creator profile
profile = self_module.list_selfs(client)
print(profile["username"])
# List posts
my_posts = posts.list_posts(client, limit=20, sort_by="publish_date")
for post in my_posts["list"]:
print(post["id"], post["text"])
# Get earnings data
chart = earnings.list_charts(
client,
start_date="2024-01-01",
end_date="2024-01-31",
by="total",
)
# List active subscribers
subs = subscribers.list_subscribers(client, type="active", limit=50)
for sub in subs["list"]:
print(sub)
Pagination
Paginated endpoints have iter_* generator variants that handle pagination automatically:
from onlyfans_sdk import OFAuthClient, account, subscribers
client = OFAuthClient(api_key="your-api-key", connection_id="conn_xxx")
# Iterate over all connections
for connection in account.iter_connections(client):
print(connection["id"])
# With limits
for subscriber in subscribers.iter_subscribers(client, max_items=100, page_size=20):
print(subscriber)
# Iterate transactions
from onlyfans_sdk import earnings
for tx in earnings.iter_transactions(client, type="tips"):
print(tx)
Proxy Requests
Call any OnlyFans API endpoint through the OFAuth proxy:
client = OFAuthClient(api_key="your-api-key")
# GET request
user = client.proxy("/users/me", connection_id="conn_xxx")
# POST request with body
response = client.proxy(
"/messages/queue",
method="POST",
connection_id="conn_xxx",
body={"text": "Hello!", "lockedText": False},
)
# With query parameters
subs = client.proxy(
"/subscriptions/subscribers",
connection_id="conn_xxx",
query={"limit": 10},
)
Media Upload
Handles single-part and multi-part uploads automatically:
client = OFAuthClient(api_key="your-api-key")
with open("video.mp4", "rb") as f:
result = client.upload_media(
connection_id="conn_xxx",
filename="video.mp4",
file=f,
mime_type="video/mp4",
on_progress=lambda uploaded, total: print(f"{uploaded}/{total}"),
)
print(result["mediaId"])
Error Handling
from onlyfans_sdk import OFAuthClient, OFAuthError, account
client = OFAuthClient(api_key="your-api-key")
try:
result = account.whoami(client)
except OFAuthError as e:
print(f"API Error {e.status}: {e}")
print(f"Error code: {e.code}")
print(f"Details: {e.details}")
Webhooks
Svix-compatible HMAC-SHA256 webhook verification with built-in routing:
from onlyfans_sdk.webhooks import create_webhook_router
router = create_webhook_router(secret="whsec_...")
def handle_connection_created(event):
conn = event["data"]["connection"]
print(f"New connection: {conn['id']} ({conn['userData']['username']})")
def handle_connection_expired(event):
print(f"Connection expired: {event['data']['connection']['id']}")
router.on("connection.created", handle_connection_created)
router.on("connection.expired", handle_connection_expired)
Flask Integration
from flask import Flask
from onlyfans_sdk.webhooks import create_webhook_router, create_flask_webhook_handler
app = Flask(__name__)
router = create_webhook_router(secret="whsec_...")
# ... register handlers ...
handler = create_flask_webhook_handler(router)
app.add_url_rule("/webhooks", view_func=handler, methods=["POST"])
FastAPI Integration
from fastapi import FastAPI, Request
from onlyfans_sdk.webhooks import create_webhook_router, create_fastapi_webhook_handler
app = FastAPI()
router = create_webhook_router(secret="whsec_...")
# ... register handlers ...
handle_webhook = create_fastapi_webhook_handler(router)
@app.post("/webhooks")
async def webhook(request: Request):
return await handle_webhook(request)
Manual Verification
from onlyfans_sdk.webhooks import verify_webhook_payload
event = verify_webhook_payload(
payload=request_body,
headers=request_headers,
secret="whsec_...",
)
print(event["eventType"], event["data"])
Type Safety with Pydantic Models
All response types are available as generated Pydantic v2 models:
from onlyfans_sdk import models
# Models are generated from the OpenAPI spec:
# models.V2AccountWhoamiGetResponse
# models.V2AccountConnectionsGetResponse
# models.V2AccessPostsGetResponse
# models.V2AccessEarningsChartGetResponse
# models.V2AccessSubscribersGetResponse
# etc.
Available API Modules
| Module | Description |
|---|---|
account |
Account info, connections, organization settings |
self |
Creator profile, notifications, release forms |
earnings |
Earnings charts, transactions, chargebacks |
analytics |
Posts, stories, streams analytics |
posts |
Post management (CRUD) |
messages |
Chat and messaging |
subscribers |
Subscriber data, notes, discounts |
subscriptions |
Subscription management |
promotions |
Promotions and tracking links |
users |
User operations |
user_lists |
User list management |
vault |
Vault media management |
vault_lists |
Vault list management |
vault_store |
Vault+ (store) |
vault_stats |
Vault statistics |
vault_media |
Vault media operations |
upload |
Media upload (init, chunk, complete) |
link |
Link management |
dynamic_rules |
Dynamic rules |
webhooks |
Webhook verification and routing |
License
Apache-2.0
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file onlyfans_sdk-2.3.0.tar.gz.
File metadata
- Download URL: onlyfans_sdk-2.3.0.tar.gz
- Upload date:
- Size: 45.7 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.11.14
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
96df3edb79cd22a469af4c5ebf271c7b2dca11b691cdd3ca051e60c13f017995
|
|
| MD5 |
941ccde92e79a771d82ce331f7c2c247
|
|
| BLAKE2b-256 |
020f2e6305fb4b0a2119fefcb748e3f22c90a799b1728561a52dc6916183bb11
|
File details
Details for the file onlyfans_sdk-2.3.0-py3-none-any.whl.
File metadata
- Download URL: onlyfans_sdk-2.3.0-py3-none-any.whl
- Upload date:
- Size: 48.1 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.11.14
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
a4c86fb55ddf97959ab9541ca008f704f98a4cf47cdfd6ddbfed51eb7960e132
|
|
| MD5 |
4d16cde40e1d51db4a57f7f36e8e8f2c
|
|
| BLAKE2b-256 |
adc48ef96d03f919c29a77330fe623a0635c5061881f5d5595b4a3c0f3351f60
|