Suíte Completa de APIs para Geração de Conteúdo com IA
Acesse mais de 30 modelos de IA de ponta por meio de uma única API unificada. Gere vídeos, imagens, avatares e voz com qualidade líder de mercado.
APIs de Texto para Vídeo
Transforme prompts de texto em vídeos impressionantes com os modelos de vídeo de IA mais avançados do mundo
Geração de vídeo líder de mercado com 6 versões (1.0-2.1). Suporta modos Standard e Pro, vídeos de 5-10 segundos, excepcional coerência de movimento.
Geração avançada de vídeo com compreensão excepcional de cenas e movimento natural. Modelos disponíveis incluem Hailuo-02 e HailuoI2V.
O mais recente modelo de vídeo do Google com realismo incomparável e precisão física. Saída de qualidade premium.
Animação profissional de imagens com os modelos Gen-2, Gen-3 e Gen4. Resultados com qualidade de cinema.
Geração artística de vídeo com Dream Machine. Crie vídeos surreais e criativos com estética única.
Síntese avançada de dança com suporte para coreografia de múltiplas pessoas. Crie vídeos de dança sincronizados a partir de referências.
Especializado em clipes estáveis de 5 segundos. Disponível em resoluções 480p e 1080p com qualidade confiável.
Geração de vídeo focada em e-commerce. Otimizado para demonstração de produtos e conteúdo de marketing.
APIs de Texto para Imagem
Crie imagens incríveis a partir de descrições em texto usando modelos de difusão de última geração
Google's most advanced image model with photorealistic quality and exceptional prompt adherence. Multiple sub-models available.
Modelo de desenvolvimento rápido para iterações ágeis. Equilíbrio perfeito entre velocidade e qualidade para prototipagem.
Geração profissional de imagens com detalhes aprimorados e controle artístico. Estabilidade superior.
Enhanced version with improved prompt understanding and faster generation times. Better composition.
Geração de imagens com qualidade máxima. Detalhe e resolução extremos para projetos exigentes.
Specialized for context-aware generation with Pro and Max modes. Excellent for specific style requirements.
Implementação Flux otimizada com múltiplos níveis de qualidade para geração rápida.
Modelo de imagem chinês avançado com excelente compreensão artística e controle de estilo.
Modelo padrão do setor de código aberto com amplas opções de personalização.
APIs de Imagem para Vídeo
Dê vida a imagens estáticas com movimento e animação inteligentes
Transform images into smooth videos with natural motion. Multiple versions and quality modes available.
Professional image animation with Gen-2, Gen-3, and Gen4 models. Cinema-quality results.
APIs de Avatar, Sincronização Labial e TTS
Crie avatares falantes e gere fala natural com sincronização perfeita
Animação de personagens com sincronização perfeita de áudio. Dê vida a retratos com expressões e movimentos naturais.
Vozes de IA mais naturais com controle emocional e múltiplos idiomas.
Google's neural text-to-speech with WaveNet voices. Over 380 voices in 50+ languages with SSML support.
Uma API, Possibilidades Ilimitadas
🎯 Geração Universal
Método único 'generate' para todos os tipos de conteúdo - vídeo, imagem, áudio, avatar. Simplifique sua integração com uma API consistente.
🤖 Seleção Inteligente de Provedor
Deixe nossa IA escolher o melhor provedor com base nos seus requisitos ou especifique seu provedor preferido para controle total.
🔄 Requisições Idempotentes
Repetições seguras com cabeçalhos Idempotency-Key. Nunca se preocupe com cobranças duplicadas por problemas de rede.
📊 Limite de Taxa Inteligente
Cabeçalhos claros de limite de taxa (X-RateLimit-*) ajudam você a otimizar o tempo das requisições e evitar erros 429.
🔔 Webhooks Seguros
Webhooks assinados com HMAC para notificações assíncronas seguras. Seja notificado quando seu conteúdo estiver pronto.
⚡ Códigos de Erro Claros
Códigos de erro legíveis por máquina como INSUFFICIENT_CREDITS e RATE_LIMIT tornam a depuração simples.
Códigos de Erro Comuns
| Código | Descrição | Ação |
|---|---|---|
| INSUFFICIENT_CREDITS | Créditos insuficientes para esta operação | Adicione créditos à sua conta |
| RATE_LIMIT | Muitas requisições | Verifique o cabeçalho X-RateLimit-Reset |
| INVALID_INPUT | Parâmetros inválidos fornecidos | Verifique a entrada conforme o esquema |
| PROVIDER_UNAVAILABLE | O provedor selecionado está temporariamente indisponível | Tente novamente ou deixe a seleção automática escolher |
| GENERATION_FAILED | Falha na geração do conteúdo | Tente novamente com parâmetros diferentes |
Limites de Taxa por Plano
| Plano | Requisições/min | Concorrente | Limite Diário |
|---|---|---|---|
| Free | 10 | 1 | 100 |
| Starter | 30 | 3 | 1,000 |
| Pro | 60 | 10 | 10,000 |
| Enterprise | Custom | Custom | Unlimited |
Exemplos de Código para Começar Rápido
# Universal generation API - Video example
curl -X POST https://api.doitong.com/graphql \
-H "Authorization: Bearer YOUR_API_KEY" \
-H "Content-Type: application/json" \
-H "Idempotency-Key: unique-request-id-123" \
-d '{
"query": "mutation Generate($input: GenerateInput!) { generate(input: $input) { id status type provider url metadata { duration resolution } creditCost estimatedTime } }",
"variables": {
"input": {
"type": "VIDEO",
"provider": "minimax",
"input": {
"text": "A serene mountain landscape at sunset"
},
"options": {
"duration": 10,
"resolution": "1080p",
"style": "cinematic"
}
}
}
}'
# Auto-select best provider for quality
curl -X POST https://api.doitong.com/graphql \
-H "Authorization: Bearer YOUR_API_KEY" \
-H "Content-Type: application/json" \
-d '{
"query": "mutation { generate(input: { type: VIDEO, input: { text: \"Epic dragon battle\" }, priority: QUALITY }) { id status provider creditCost } }"
}'
# Check generation status
curl -X POST https://api.doitong.com/graphql \
-H "Authorization: Bearer YOUR_API_KEY" \
-H "Content-Type: application/json" \
-d '{
"query": "query { generation(id: \"gen_abc123\") { status progress url error { code message } } }"
}'
// Doitong Universal API Client
class DoitongAPI {
constructor(apiKey) {
this.apiKey = apiKey;
this.endpoint = 'https://api.doitong.com/graphql';
}
async generate(input) {
const response = await fetch(this.endpoint, {
method: 'POST',
headers: {
'Authorization': `Bearer ${this.apiKey}`,
'Content-Type': 'application/json',
'Idempotency-Key': crypto.randomUUID()
},
body: JSON.stringify({
query: `
mutation Generate($input: GenerateInput!) {
generate(input: $input) {
id
status
type
provider
url
metadata
creditCost
estimatedTime
error {
code
message
}
}
}
`,
variables: { input }
})
});
const data = await response.json();
// Check for rate limits
const remaining = response.headers.get('X-RateLimit-Remaining');
if (remaining && parseInt(remaining) < 10) {
console.warn(`Low rate limit: ${remaining} requests remaining`);
}
if (data.errors) {
throw new Error(data.errors[0].message);
}
return data.data.generate;
}
async checkStatus(id) {
const response = await fetch(this.endpoint, {
method: 'POST',
headers: {
'Authorization': `Bearer ${this.apiKey}`,
'Content-Type': 'application/json'
},
body: JSON.stringify({
query: `
query GetGeneration($id: ID!) {
generation(id: $id) {
id
status
progress
url
error {
code
message
}
}
}
`,
variables: { id }
})
});
const data = await response.json();
return data.data.generation;
}
async waitForCompletion(id, pollInterval = 2000) {
while (true) {
const result = await this.checkStatus(id);
if (result.status === 'COMPLETED') {
return result;
} else if (result.status === 'FAILED') {
throw new Error(result.error?.message || 'Generation failed');
}
await new Promise(resolve => setTimeout(resolve, pollInterval));
}
}
}
// Usage examples
const api = new DoitongAPI('YOUR_API_KEY');
// Simple video generation - let AI choose provider
const video = await api.generate({
type: 'VIDEO',
input: { text: 'A serene mountain landscape' }
});
// Specific provider with options
const video = await api.generate({
type: 'VIDEO',
provider: 'minimax',
input: { text: 'Epic battle scene' },
options: {
duration: 10,
resolution: '1080p',
style: 'cinematic'
}
});
// Image generation with auto-provider selection for quality
const image = await api.generate({
type: 'IMAGE',
input: { text: 'Photorealistic portrait' },
priority: 'QUALITY'
});
// Wait for completion
const result = await api.waitForCompletion(video.id);
console.log('Video ready:', result.url);
// Using Apollo Client for GraphQL
import { ApolloClient, gql } from '@apollo/client';
const CREATE_VIDEO = gql`
mutation CreateVideo($input: VideoCreateInput!) {
videoCreate(input: $input) {
id
status
videoUrl
}
}
`;
const client = new ApolloClient({
uri: 'https://api.doitong.com/graphql',
headers: {
authorization: 'Bearer YOUR_API_KEY'
}
});
const result = await client.mutate({
mutation: CREATE_VIDEO,
variables: {
input: {
prompt: 'Beautiful sunset over ocean',
model: 'luma',
duration: 9
}
}
});
import requests
import time
import json
import uuid
from typing import Dict, Optional, Any
class DoitongAPI:
def __init__(self, api_key: str):
self.api_key = api_key
self.base_url = "https://api.doitong.com/graphql"
self.headers = {
"Authorization": f"Bearer {api_key}",
"Content-Type": "application/json"
}
def generate(self,
content_type: str,
input_data: Dict[str, Any],
provider: Optional[str] = None,
options: Optional[Dict] = None,
idempotency_key: Optional[str] = None) -> Dict:
"""Universal generation method for all content types"""
# Add idempotency key for safe retries
headers = self.headers.copy()
if idempotency_key:
headers["Idempotency-Key"] = idempotency_key
else:
headers["Idempotency-Key"] = str(uuid.uuid4())
query = """
mutation Generate($input: GenerateInput!) {
generate(input: $input) {
id
status
type
provider
url
metadata
creditCost
estimatedTime
error
errorCode
}
}
"""
variables = {
"input": {
"type": content_type.upper(),
"input": input_data
}
}
if provider:
variables["input"]["provider"] = provider
if options:
variables["input"]["options"] = options
response = requests.post(
self.base_url,
headers=headers,
json={"query": query, "variables": variables}
)
# Handle rate limiting
if response.status_code == 429:
retry_after = response.headers.get("X-RateLimit-Reset", 60)
raise Exception(f"Rate limited. Retry after {retry_after} seconds")
data = response.json()
if "errors" in data:
error = data["errors"][0]
raise Exception(f"API Error: {error.get('message', 'Unknown error')}")
return data["data"]["generate"]
def check_status(self, generation_id: str) -> Dict:
"""Check the status of a generation"""
query = """
query GetGeneration($id: ID!) {
generation(id: $id) {
id
status
type
url
progress
error
errorCode
metadata
}
}
"""
response = requests.post(
self.base_url,
headers=self.headers,
json={
"query": query,
"variables": {"id": generation_id}
}
)
return response.json()["data"]["generation"]
def wait_for_completion(self, generation_id: str, max_wait: int = 300) -> Dict:
"""Poll until generation is complete"""
start_time = time.time()
while time.time() - start_time < max_wait:
result = self.check_status(generation_id)
if result["status"] == "completed":
return result
elif result["status"] == "failed":
error_code = result.get("errorCode", "UNKNOWN_ERROR")
error_msg = result.get("error", "Generation failed")
raise Exception(f"[{error_code}] {error_msg}")
# Adaptive polling - start fast, slow down over time
wait_time = 2 if time.time() - start_time < 30 else 5
time.sleep(wait_time)
raise TimeoutError("Generation timed out")
# Example usage
if __name__ == "__main__":
api = DoitongAPI("YOUR_API_KEY")
try:
# Generate a video (auto-selects best provider)
video = api.generate(
content_type="video",
input_data={"text": "A majestic eagle soaring through clouds"},
options={"duration": 10, "resolution": "1080p"}
)
print(f"Video generation started: {video['id']}")
# Wait for completion
result = api.wait_for_completion(video['id'])
print(f"Video ready: {result['url']}")
print(f"Credits used: {result['creditCost']}")
# Generate with specific provider
image = api.generate(
content_type="image",
provider="flux-ultra",
input_data={"text": "Professional product photography"},
options={"aspectRatio": "16:9", "quality": "ultra"}
)
# Generate audio/TTS
audio = api.generate(
content_type="audio",
provider="elevenlabs",
input_data={"text": "Welcome to the future of AI"},
options={"voice": "rachel", "emotion": "excited"}
)
except Exception as e:
print(f"Error: {e}")
# Universal generation mutation - works for all content types
mutation Generate($input: GenerateInput!) {
generate(input: $input) {
id
status
type
provider
url
metadata
creditCost
estimatedTime
progress
error
errorCode
}
}
# Example: Generate video (auto-select provider)
# Variables:
{
"input": {
"type": "VIDEO",
"input": {
"text": "A bustling Tokyo street at night with neon lights"
},
"options": {
"duration": 10,
"resolution": "1080p",
"style": "cinematic"
}
}
}
# Example: Generate video with specific provider
# Variables:
{
"input": {
"type": "VIDEO",
"provider": "kling",
"input": {
"text": "Epic space battle scene"
},
"options": {
"mode": "pro",
"duration": 10,
"aspectRatio": "16:9"
}
}
}
# Example: Image-to-video generation
# Variables:
{
"input": {
"type": "VIDEO",
"provider": "runway",
"input": {
"text": "Make the character dance",
"image": "https://example.com/character.jpg"
},
"options": {
"motionIntensity": "high",
"model": "gen-3"
}
}
}
# Example: Generate image
# Variables:
{
"input": {
"type": "IMAGE",
"provider": "flux-ultra",
"input": {
"text": "Photorealistic portrait in Rembrandt style"
},
"options": {
"aspectRatio": "16:9",
"quality": "ultra",
"seed": 42
}
}
}
# Example: Generate audio/TTS
# Variables:
{
"input": {
"type": "AUDIO",
"provider": "elevenlabs",
"input": {
"text": "Welcome to the future of artificial intelligence"
},
"options": {
"voice": "rachel",
"emotion": "excited",
"speed": 1.0
}
}
}
# Example: Generate avatar video
# Variables:
{
"input": {
"type": "AVATAR",
"provider": "heygen",
"input": {
"text": "Hello, I'm your AI assistant",
"voice": "professional_female"
},
"options": {
"avatarId": "kate",
"background": "modern_office",
"gesture": "friendly"
},
"webhookUrl": "https://your-app.com/webhook"
}
}
# Query generation status
query GetGeneration($id: ID!) {
generation(id: $id) {
id
status
type
provider
url
progress
metadata {
width
height
duration
format
}
creditCost
error
errorCode
createdAt
completedAt
}
}
# Cancel a generation
mutation CancelGeneration($id: ID!) {
cancelGeneration(id: $id)
}
# Get available providers for a content type
query GetProviders($type: GenerationType!) {
providers(type: $type) {
id
name
description
features
limitations
pricing {
creditCost
estimatedTime
}
options {
name
type
required
description
allowedValues
}
}
}
}
Pronto para Criar Algo Incrível?
Junte-se a milhares de desenvolvedores usando nossa API para criar conteúdo de IA de próxima geração