Higgsfield API Python SDK
Project description
Higgsfield Python Client
The official Python SDK for Higgsfield AI. Supports both synchronous and asynchronous usage.
Installation
pip install higgsfield-client
Authentication
Before using the client, set your API credentials as environment variables. You can use either a single key or separate API key and secret:
Option 1: Single Key
export HF_KEY="your-api-key:your-api-secret"
Option 2: API Key + Secret
export HF_API_KEY="your-api-key"
export HF_API_SECRET="your-api-secret"
Get your credentials from the Higgsfield Cloud.
Quick Start
Synchronous:
import higgsfield_client
# Submit and wait for result
result = higgsfield_client.subscribe(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
}
)
print(result['images'][0]['url'])
Asynchronous:
import asyncio
import higgsfield_client
async def main():
# Submit and wait for result
result = await higgsfield_client.subscribe_async(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
}
)
print(result['images'][0]['url'])
asyncio.run(main())
Usage Patterns
Pattern 1: Simple Submit and Wait
Submit a request and wait for the result:
Synchronous:
import higgsfield_client
result = higgsfield_client.subscribe(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
}
)
print(result['images'][0]['url'])
Asynchronous:
import asyncio
import higgsfield_client
async def main():
result = await higgsfield_client.subscribe_async(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
}
)
print(result['images'][0]['url'])
asyncio.run(main())
Pattern 2: Submit and Track Progress
Submit a request and monitor its status in real-time:
Synchronous:
import higgsfield_client
request_controller = higgsfield_client.submit(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'Football ball',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
webhook_url='https://example.com/webhook' # Optional parameter which calls your webhook on completion
)
for status in request_controller.poll_request_status():
if isinstance(status, higgsfield_client.Queued):
print('Queued')
elif isinstance(status, higgsfield_client.InProgress):
print('In progress')
elif isinstance(status, higgsfield_client.Completed):
print('Completed')
elif isinstance(status, (higgsfield_client.Failed, higgsfield_client.NSFW, higgsfield_client.Cancelled)):
print('Oops!')
result = request_controller.get()
print(result['images'][0]['url'])
Asynchronous:
import asyncio
import higgsfield_client
async def main():
request_controller = await higgsfield_client.submit_async(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'Football ball',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
webhook_url='https://example.com/webhook' # Optional parameter which calls your webhook on completion
)
async for status in request_controller.poll_request_status():
if isinstance(status, higgsfield_client.Queued):
print('Queued')
elif isinstance(status, higgsfield_client.InProgress):
print('In progress')
elif isinstance(status, higgsfield_client.Completed):
print('Completed')
elif isinstance(status, (higgsfield_client.Failed, higgsfield_client.NSFW, higgsfield_client.Cancelled)):
print('Oops!')
result = await request_controller.get()
print(result['images'][0]['url'])
asyncio.run(main())
Pattern 3: Submit with Callbacks
Use callbacks to handle status updates:
Synchronous:
import higgsfield_client
def on_enqueue(request_id):
print(f'Request {request_id} was enqueued')
def on_status_update(status):
print(f'Status: {status}')
result = higgsfield_client.subscribe(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
on_enqueue=on_enqueue,
on_queue_update=on_status_update
)
Asynchronous:
import asyncio
import higgsfield_client
def on_enqueue(request_id):
print(f'Request {request_id} was enqueued')
def on_status_update(status):
print(f'Status: {status}')
async def main():
await higgsfield_client.subscribe_async(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
on_enqueue=on_enqueue,
on_queue_update=on_status_update
)
asyncio.run(main())
Pattern 4: Manage Existing Requests
Work with request controller:
Synchronous:
import higgsfield_client
request_controller = higgsfield_client.submit(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
webhook_url='https://example.com/webhook' # Optional parameter which calls your webhook on completion
)
# Check status
status = request_controller.status()
# Wait for completion and get result
result = request_controller.get()
# Cancel a queued request
request_controller.cancel()
Or by request ID:
import higgsfield_client
# Check status of any request
status = higgsfield_client.status(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
# Wait for completion and get result
result = higgsfield_client.result(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
# Cancel a queued request
higgsfield_client.cancel(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
Asynchronous:
import asyncio
import higgsfield_client
async def main():
request_controller = await higgsfield_client.submit_async(
'bytedance/seedream/v4/text-to-image',
arguments={
'prompt': 'A serene lake at sunset with mountains',
'resolution': '2K',
'aspect_ratio': '16:9',
'camera_fixed': False
},
webhook_url='https://example.com/webhook' # Optional parameter which calls your webhook on completion
)
# Check status
status = await request_controller.status()
# Wait for completion and get result
result = await request_controller.get()
# Cancel a queued request
await request_controller.cancel()
asyncio.run(main())
Or by request ID:
import asyncio
import higgsfield_client
async def main():
# Check status of any request
status = await higgsfield_client.status_async(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
# Wait for completion and get result
result = await higgsfield_client.result_async(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
# Cancel a queued request
await higgsfield_client.cancel_async(request_id='cdbe9381-e617-438f-ac99-b18eb52a05a0')
asyncio.run(main())
File Uploads
Upload files to use in your requests:
Upload bytes
import higgsfield_client
image_path = 'path/to/example.jpeg'
content_type = 'image/jpeg'
with open(image_path, 'rb') as f:
data = f.read()
url = higgsfield_client.upload(data, content_type)
Upload by path
import higgsfield_client
image_path = 'path/to/example.jpeg'
url = higgsfield_client.upload_file(image_path)
Upload PIL Images
from PIL import Image
import higgsfield_client
image = Image.open('example.jpeg')
url = higgsfield_client.upload_image(image, format='jpeg')
Async Uploads
All upload methods have async versions:
import higgsfield_client
# Async raw data upload
url = await higgsfield_client.upload_async(data, content_type='image/jpeg')
# Async file upload
url = await higgsfield_client.upload_file_async('path/to/example.jpeg')
# Async image upload
url = await higgsfield_client.upload_image_async(image, format='jpeg')
Project details
Release history Release notifications | RSS feed
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 higgsfield_client-0.1.0.tar.gz.
File metadata
- Download URL: higgsfield_client-0.1.0.tar.gz
- Upload date:
- Size: 14.4 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/2.2.1 CPython/3.13.7 Darwin/24.4.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
fde2cf50058a9f5b9178458a458c68d03719a7bf2522410767b37cf35aef5280
|
|
| MD5 |
49d07cfda422baa4c6e9ebbbc9fa1789
|
|
| BLAKE2b-256 |
726b645bb2bf5c95f4db9ea7898a7e9b9ea54e88eff35276fc63f47d43a1e1c7
|
File details
Details for the file higgsfield_client-0.1.0-py3-none-any.whl.
File metadata
- Download URL: higgsfield_client-0.1.0-py3-none-any.whl
- Upload date:
- Size: 16.7 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/2.2.1 CPython/3.13.7 Darwin/24.4.0
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1ea5627723ab860bbe46c0168eaa9ba43de131e6173c068183a6614abce92466
|
|
| MD5 |
51d49858b8bb83811c1e9650dc71bf76
|
|
| BLAKE2b-256 |
238d4e4e88f75f33e96209770f25c183a1fc83ee700f157ed6391a13220dae7c
|