Skip to main content

Overview

Developing with APIs that charge per request requires careful testing strategies. This guide shows you how to build and test your Magic Hour integration effectively while minimizing costs and avoiding production issues.

Testing Without Using Credits

The Magic Hour SDKs include a mock server that returns realistic sample data without processing jobs or charging credits:
from magic_hour import Client
from magic_hour.environment import Environment

# Use mock server for development
client = Client(
    token="YOUR_API_KEY",  # Can use any value for mock mode
    environment=Environment.MOCK_SERVER
)

# All API calls return mock data instantly
result = client.v1.ai_image_generator.create(
    image_count=1,
    orientation="landscape",
    style={"prompt": "Test image", "tool": "ai-anime-generator"}
)

print(f"Job ID: {result.id}")  # Returns mock ID
# No credits charged, no actual processing
Benefits:
  • ✅ No credit consumption
  • ✅ Instant responses (no waiting)
  • ✅ Realistic sample data
  • ✅ Test error scenarios
  • ✅ Validate integration logic
When to use:
  • Unit testing
  • Integration testing
  • Local development
  • CI/CD pipelines
  • Prototyping new features

Environment Configuration

Use environment variables to switch between mock and production:
import os
from magic_hour import Client
from magic_hour.environment import Environment

# Switch environments based on ENV variable
env = Environment.MOCK_SERVER if os.getenv("ENV") == "development" else Environment.PRODUCTION

client = Client(
    token=os.getenv("MAGIC_HOUR_API_KEY"),
    environment=env
)
Development Workflow: Use mock server during development, then switch to production environment for final testing and deployment.

Error Handling Best Practices

Handling API Errors

Implement comprehensive error handling for all API calls:
import httpx
from magic_hour import Client

client = Client(token="YOUR_API_KEY")

try:
    result = client.v1.ai_image_generator.create(
        image_count=1,
        orientation="landscape",
        style={"prompt": "Test", "tool": "ai-anime-generator"},
    )

except httpx.HTTPStatusError as e:
    code = e.response.status_code
    detail = e.response.text[:300]

    if code == 401:
        print("❌ Invalid API key. Check your credentials.")
    elif code == 403:
        print("❌ Forbidden. Key lacks permission or resource is protected.")
    elif code == 422:
        print(f"❌ Invalid parameters: {detail}")
    elif code == 429:
        print("❌ Rate limit exceeded. Wait before retrying.")
    else:
        print(f"❌ API error ({code}): {detail}")

except Exception as e:
    print(f"❌ Unexpected error: {e}")

Handling Job Errors

Check for errors during job processing:
import time

download_url = None

job_id = "your_job_id" # Change this to your job ID

while True:
    status = client.v1.image_projects.get(id=job_id)

    if status.status == "complete":
        download_url = status.downloads[0].url
        break

    if status.status == "error":
        err = status.error or {}
        error_code = err.get("code", "unknown")
        error_msg = err.get("message", "Unknown error")

        if error_code == "no_source_face":
            print("❌ No face detected. Use an image with a visible face.")
        elif error_code == "invalid_file_format":
            print("❌ Unsupported file format. Check supported formats.")
        elif error_code == "file_too_large":
            print("❌ File too large. Reduce file size or upgrade tier.")
        elif error_code == "insufficient_credits":
            print("❌ Not enough credits. Add credits to your account.")
        else:
            print(f"❌ Error ({error_code}): {error_msg}")

        break

    time.sleep(3)

if not download_url:
    raise RuntimeError("Job did not complete successfully; no download URL available.")

Common Error Codes

Error CodeMeaningSolution
no_source_faceNo face detected in imageUse image with clear, visible face
invalid_file_formatUnsupported file typeCheck supported formats list
file_too_largeFile exceeds size limitCompress file or upgrade tier
insufficient_creditsNot enough creditsAdd credits to account
invalid_parametersInvalid request parametersCheck API reference for valid values
unknown_errorUnexpected errorContact support with job ID
Credits Not Charged: When a job fails with an error, you are never charged credits.

Status Monitoring Strategies

Polling with Smart Intervals

Adjust polling frequency based on content type:
def get_poll_interval(project_type, duration=None):
    """Return appropriate polling interval in seconds"""
    
    if project_type == "image":
        return 3  # Images process quickly
    elif project_type == "audio":
        return 3  # Audio processes quickly
    elif project_type == "video":
        if duration and duration > 30:
            return 10  # Longer videos need more time
        return 5  # Short videos
    
    return 5  # Default

# Usage
poll_interval = get_poll_interval("video", duration=60)
time.sleep(poll_interval)

Implementing Timeouts

Always implement maximum wait times:
import time
from datetime import datetime, timedelta

def wait_for_completion(client, job_id, timeout_minutes=10):
    """Wait for job with timeout"""
    
    start_time = datetime.now()
    timeout = timedelta(minutes=timeout_minutes)
    
    while datetime.now() - start_time < timeout:
        status = client.v1.image_projects.get(id=job_id)
        
        if status.status == "complete":
            return status
        elif status.status == "error":
            raise Exception(f"Job failed: {status.error}")
        
        time.sleep(3)
    
    raise TimeoutError(f"Job did not complete within {timeout_minutes} minutes")

Testing Strategies

Unit Testing

Test your integration logic without hitting the API:
import unittest
from unittest.mock import Mock, patch

class TestMagicHourIntegration(unittest.TestCase):
    
    @patch('magic_hour.Client')
    def test_successful_image_generation(self, mock_client):
        # Mock the API responses
        mock_create = Mock(return_value=Mock(id="test123", credits_charged=5))
        mock_status = Mock(return_value=Mock(
            status="complete",
            downloads=[Mock(url="https://upload.wikimedia.org/wikipedia/commons/e/ec/Chris_Cassidy_-_Official_NASA_Astronaut_Portrait_in_EMU_%28cropped%29.jpg")]
        ))
        
        mock_client.v1.ai_image_generator.create = mock_create
        mock_client.v1.image_projects.get = mock_status
        
        # Test your integration function
        result = generate_image(mock_client, "test prompt")
        
        # Verify calls were made
        mock_create.assert_called_once()
        mock_status.assert_called_once()
        
        # Verify result
        self.assertEqual(result.id, "test123")

Integration Testing with Mock Server

from magic_hour import Client
from magic_hour.environment import Environment

def test_with_mock_server():
    client = Client(
        token="test-key",
        environment=Environment.MOCK_SERVER
    )
    
    # Test the full workflow
    result = client.v1.ai_image_generator.create(...)
    assert result.id is not None
    assert result.credits_charged > 0
    
    # Test status checking
    status = client.v1.image_projects.get(id=result.id)
    assert status.status in ["queued", "rendering", "complete"]

Production Testing

Before going live, test with minimal credits:
  1. Use Free Tier Credits: Test with daily free credits
  2. Small Test Jobs: Use minimum resolution/duration
  3. Single Job Tests: Test one job at a time initially
  4. Monitor Credits: Track credit usage during testing
# Minimal credit test
result = client.v1.ai_image_generator.create(
    image_count=1,
    orientation="square",  # 512x512 uses minimal credits
    style={"prompt": "Simple test", "tool": "ai-anime-generator"}
)
# Uses ~5 credits

Development Workflow

Phase 1: Local Development
ENV=development python main.py  # Uses mock server
  • Use mock server exclusively
  • Build integration logic
  • Test error handling
Phase 2: Staging Testing
ENV=staging python main.py  # Uses real API with test key
  • Test with real API using minimal credits
  • Validate end-to-end workflow
  • Test error scenarios
Phase 3: Production
ENV=production python main.py  # Uses production API key
  • Deploy with production credentials
  • Monitor for errors
  • Set up logging and alerts

Logging and Debugging

Implement comprehensive logging:
import logging

logging.basicConfig(
    level=logging.INFO,
    format="%(asctime)s - %(name)s - %(levelname)s - %(message)s",
    handlers=[logging.FileHandler("magichour.log"), logging.StreamHandler()],
)
logger = logging.getLogger(__name__)

logger.info("Creating AI image job", extra={"orientation": "landscape", "image_count": 1})

result = client.v1.ai_image_generator.create(
    image_count=1,
    orientation="landscape",
    style={"prompt": "Test", "tool": "ai-anime-generator"},
    name="Logging Example",
)

logger.info("Job created", extra={"job_id": result.id, "credits_charged": result.credits_charged})
print("job_id:", result.id)

Job Cancellation

Cancel video jobs to get full credit refunds (image jobs complete too quickly to cancel):
1

Open project details

Visit the project in your library:
  • Videos: https://magichour.ai/my-library?videoId={project_id}
  • Images: https://magichour.ai/my-library?imageId={project_id}
  • Audio: https://magichour.ai/my-library?audioId={project_id}
2

Click cancel render

Cancel Render Button
3

Confirm cancellation

Confirm Cancel Button
4

Cancellation complete

Cancel SuccessFull credit refund is provided for cancelled video jobs.
Important notes:
  • Image jobs cannot be cancelled (they complete too quickly)
  • API-based cancellation is not currently available
  • Full credit refund is provided for cancelled video jobs
  • Only works for jobs in queued or rendering status

Production Deployment Checklist

Before deploying to production:

Security

  • ✅ API keys stored in environment variables (not hardcoded)
  • ✅ API keys not committed to version control
  • ✅ Different API keys for development/staging/production
  • ✅ Webhook signatures verified (if using webhooks)

Error Handling

  • ✅ All API calls wrapped in try/catch blocks
  • ✅ Specific error codes handled appropriately
  • ✅ Retry logic with exponential backoff
  • ✅ Timeout handling for long-running jobs
  • ✅ Logging for all errors

Monitoring

  • ✅ Credit usage tracking
  • ✅ Error rate monitoring
  • ✅ Job completion time tracking
  • ✅ Failed job alerting
  • ✅ Download success/failure tracking

File Management

  • ✅ Downloaded files stored in reliable storage
  • ✅ Cleanup of old generated files
  • ✅ Handling of download URL expiration
  • ✅ Disk space monitoring

Performance

  • ✅ Appropriate polling intervals implemented
  • ✅ Concurrent job limits configured
  • ✅ Rate limiting respected
  • ✅ Connection pooling for multiple requests

Testing Checklist

Before deploying, verify:

Basic Functionality

  • ✅ Job creation succeeds
  • ✅ Status polling works correctly
  • ✅ File downloads successfully
  • ✅ Multiple concurrent jobs handle correctly

Error Scenarios

  • ✅ Invalid API key handling
  • ✅ Insufficient credits handling
  • ✅ Invalid parameters rejection
  • ✅ Network errors and retries
  • ✅ Timeout handling

Edge Cases

  • ✅ Very large files
  • ✅ Very small files
  • ✅ Multiple output files
  • ✅ Expired download URLs
  • ✅ Job cancellation

Debugging Common Issues

Issue: Jobs Stay in “queued” Status

Possible causes:
  • High server load
  • Invalid input files
  • Account issues
Solutions:
  • Wait longer (up to 5 minutes)
  • Check input file validity
  • Verify account has sufficient credits
  • Contact support if persistent

Issue: Download URLs Return 404

Possible causes:
  • URLs expired (24+ hours old)
  • Job was deleted
  • Invalid job ID
Solutions:
  • Request fresh URLs using GET endpoint
  • Verify job ID is correct
  • Download files within 24 hours of completion

Issue: High Credit Usage During Testing

Solutions:
  • Switch to mock server for development
  • Use minimum resolution/duration for tests
  • Implement proper cleanup of test jobs
  • Monitor credit usage in Developer Hub

Next Steps


Questions? Join our Discord community or email [email protected]