Glossarion / async_api_processor.py
Shirochi's picture
Upload 93 files
ec038f4 verified
# async_api_processor.py
"""
Asynchronous API Processing for Glossarion
Implements batch API processing with 50% discount from supported providers.
This is SEPARATE from the existing batch processing (parallel API calls).
Supported Providers with Async/Batch APIs (50% discount):
- Gemini (Batch API)
- Anthropic (Message Batches API)
- OpenAI (Batch API)
- Mistral (Batch API)
- Amazon Bedrock (Batch Inference)
- Groq (Batch API)
Providers without Async APIs:
- DeepSeek (no batch API)
- Cohere (only batch embeddings, not completions)
"""
import os
import sys
import re
from bs4 import BeautifulSoup
import ebooklib
from ebooklib import epub
import json
import time
import threading
import logging
import hashlib
import traceback
from datetime import datetime, timedelta
from typing import Dict, List, Optional, Tuple, Any
from PySide6.QtWidgets import (QDialog, QWidget, QVBoxLayout, QHBoxLayout, QGridLayout,
QLabel, QPushButton, QCheckBox, QSpinBox, QTreeWidget, QTreeWidgetItem,
QScrollArea, QProgressBar, QGroupBox, QFrame, QMessageBox, QMenu, QApplication,
QAbstractItemView)
from PySide6.QtCore import Qt, QTimer, Signal, QObject
from PySide6.QtGui import QIcon, QBrush, QColor
from dataclasses import dataclass, asdict
from enum import Enum
import requests
import uuid
from pathlib import Path
try:
import tiktoken
except ImportError:
tiktoken = None
# For TXT file processing
try:
from txt_processor import TextFileProcessor
except ImportError:
TextFileProcessor = None
print("txt_processor not available - TXT file support disabled")
# For provider-specific implementations
try:
import google.generativeai as genai
HAS_GEMINI = True
except ImportError:
HAS_GEMINI = False
try:
import anthropic
HAS_ANTHROPIC = True
except ImportError:
HAS_ANTHROPIC = False
try:
import openai
HAS_OPENAI = True
except ImportError:
HAS_OPENAI = False
logger = logging.getLogger(__name__)
class AsyncAPIStatus(Enum):
"""Status states for async API jobs"""
PENDING = "pending"
PROCESSING = "processing"
COMPLETED = "completed"
FAILED = "failed"
CANCELLED = "cancelled"
EXPIRED = "expired"
@dataclass
class AsyncJobInfo:
"""Information about an async API job"""
job_id: str
provider: str
model: str
status: AsyncAPIStatus
created_at: datetime
updated_at: datetime
total_requests: int
completed_requests: int = 0
failed_requests: int = 0
cost_estimate: float = 0.0
input_file: Optional[str] = None
output_file: Optional[str] = None
error_message: Optional[str] = None
metadata: Dict[str, Any] = None
def to_dict(self) -> Dict[str, Any]:
"""Convert to dictionary for JSON serialization"""
data = asdict(self)
data['status'] = self.status.value
data['created_at'] = self.created_at.isoformat()
data['updated_at'] = self.updated_at.isoformat()
return data
@classmethod
def from_dict(cls, data: Dict[str, Any]) -> 'AsyncJobInfo':
"""Create from dictionary"""
data['status'] = AsyncAPIStatus(data['status'])
data['created_at'] = datetime.fromisoformat(data['created_at'])
data['updated_at'] = datetime.fromisoformat(data['updated_at'])
if data.get('metadata') is None:
data['metadata'] = {}
return cls(**data)
class AsyncAPIProcessor:
"""Handles asynchronous batch API processing for supported providers"""
# Provider configurations
PROVIDER_CONFIGS = {
'gemini': {
'batch_endpoint': 'native_sdk', # Uses native SDK instead of REST
'status_endpoint': 'native_sdk',
'max_requests_per_batch': 10000,
'supports_chunking': False,
'discount': 0.5,
'available': True # Now available!
},
'anthropic': {
'batch_endpoint': 'https://api.anthropic.com/v1/messages/batches',
'status_endpoint': 'https://api.anthropic.com/v1/messages/batches/{job_id}',
'max_requests_per_batch': 10000,
'supports_chunking': False,
'discount': 0.5
},
'openai': {
'batch_endpoint': 'https://api.openai.com/v1/batches',
'status_endpoint': 'https://api.openai.com/v1/batches/{job_id}',
'cancel_endpoint': 'https://api.openai.com/v1/batches/{job_id}/cancel',
'max_requests_per_batch': 50000,
'supports_chunking': False,
'discount': 0.5
},
'mistral': {
'batch_endpoint': 'https://api.mistral.ai/v1/batch/jobs',
'status_endpoint': 'https://api.mistral.ai/v1/batch/jobs/{job_id}',
'max_requests_per_batch': 10000,
'supports_chunking': False,
'discount': 0.5
},
'bedrock': {
'batch_endpoint': 'batch-inference', # AWS SDK specific
'max_requests_per_batch': 10000,
'supports_chunking': False,
'discount': 0.5
},
'groq': {
'batch_endpoint': 'https://api.groq.com/openai/v1/batch',
'status_endpoint': 'https://api.groq.com/openai/v1/batch/{job_id}',
'max_requests_per_batch': 1000,
'supports_chunking': False,
'discount': 0.5
}
}
def __init__(self, gui_instance):
"""Initialize the async processor
Args:
gui_instance: Reference to TranslatorGUI instance
"""
self.gui = gui_instance
self.jobs_file = os.path.join(os.path.dirname(__file__), 'async_jobs.json')
self.jobs: Dict[str, AsyncJobInfo] = {}
self.stop_flag = threading.Event()
self.processing_thread = None
self._load_jobs()
def _load_jobs(self):
"""Load saved async jobs from file"""
try:
if os.path.exists(self.jobs_file):
with open(self.jobs_file, 'r', encoding='utf-8') as f:
data = json.load(f)
for job_id, job_data in data.items():
try:
self.jobs[job_id] = AsyncJobInfo.from_dict(job_data)
except Exception as e:
print(f"Failed to load job {job_id}: {e}")
except Exception as e:
print(f"Failed to load async jobs: {e}")
def _save_jobs(self):
"""Save async jobs to file"""
try:
data = {job_id: job.to_dict() for job_id, job in self.jobs.items()}
with open(self.jobs_file, 'w', encoding='utf-8') as f:
json.dump(data, f, indent=2)
except Exception as e:
print(f"Failed to save async jobs: {e}")
def get_provider_from_model(self, model: str) -> Optional[str]:
"""Determine provider from model name"""
model_lower = model.lower()
# Check prefixes
if model_lower.startswith(('gpt', 'o1', 'o3', 'o4')):
return 'openai'
elif model_lower.startswith('gemini'):
return 'gemini'
elif model_lower.startswith(('claude', 'sonnet', 'opus', 'haiku')):
return 'anthropic'
elif model_lower.startswith(('mistral', 'mixtral', 'codestral')):
return 'mistral'
elif model_lower.startswith('groq'):
return 'groq'
elif model_lower.startswith('bedrock'):
return 'bedrock'
# Check for aggregator prefixes that might support async
if model_lower.startswith(('eh/', 'electronhub/', 'electron/')):
# Extract actual model after prefix
actual_model = model.split('/', 1)[1] if '/' in model else model
return self.get_provider_from_model(actual_model)
return None
def supports_async(self, model: str) -> bool:
"""Check if model supports async processing"""
provider = self.get_provider_from_model(model)
return provider in self.PROVIDER_CONFIGS
def estimate_cost(self, num_chapters: int, avg_tokens_per_chapter: int, model: str, compression_factor: float = 1.0) -> Tuple[float, float]:
"""Estimate costs for async vs regular processing
Returns:
Tuple of (async_cost, regular_cost)
"""
provider = self.get_provider_from_model(model)
if not provider:
return (0.0, 0.0)
# UPDATED PRICING AS OF JULY 2025
# Prices are (input_price, output_price) per 1M tokens
token_prices = {
'openai': {
# GPT-5 Series (Standard pricing per 1M tokens)
'gpt-5.2-pro': (21.0, 168.0),
'gpt-5-pro': (15.0, 120.0),
'gpt-5.2': (1.75, 14.0),
'gpt-5.1': (1.25, 10.0),
'gpt-5': (1.25, 10.0),
'gpt-5-mini': (0.25, 2.0),
'gpt-5-nano': (0.05, 0.40),
'gpt-5.2-chat-latest': (1.75, 14.0),
'gpt-5.1-chat-latest': (1.25, 10.0),
'gpt-5-chat-latest': (1.25, 10.0),
'gpt-5.1-codex-max': (1.25, 10.0),
'gpt-5.1-codex': (1.25, 10.0),
'gpt-5-codex': (1.25, 10.0),
# GPT-4.1 Series (Latest - June 2024 knowledge)
'gpt-4.1': (2.0, 8.0),
'gpt-4.1-mini': (0.4, 1.6),
'gpt-4.1-nano': (0.1, 0.4),
# GPT-4.5 Preview
'gpt-4.5-preview': (75.0, 150.0),
# GPT-4o Series
'gpt-4o': (2.5, 10.0),
'gpt-4o-mini': (0.15, 0.6),
'gpt-4o-audio': (2.5, 10.0),
'gpt-4o-audio-preview': (2.5, 10.0),
'gpt-4o-realtime': (5.0, 20.0),
'gpt-4o-realtime-preview': (5.0, 20.0),
'gpt-4o-mini-audio': (0.15, 0.6),
'gpt-4o-mini-audio-preview': (0.15, 0.6),
'gpt-4o-mini-realtime': (0.6, 2.4),
'gpt-4o-mini-realtime-preview': (0.6, 2.4),
# GPT-4 Legacy
'gpt-4': (30.0, 60.0),
'gpt-4-turbo': (10.0, 30.0),
'gpt-4-32k': (60.0, 120.0),
'gpt-4-0613': (30.0, 60.0),
'gpt-4-0314': (30.0, 60.0),
# GPT-3.5
'gpt-3.5-turbo': (0.5, 1.5),
'gpt-3.5-turbo-instruct': (1.5, 2.0),
'gpt-3.5-turbo-16k': (3.0, 4.0),
'gpt-3.5-turbo-0125': (0.5, 1.5),
# O-series Reasoning Models (NOT batch compatible usually)
'o1': (15.0, 60.0),
'o1-pro': (150.0, 600.0),
'o1-mini': (1.1, 4.4),
'o3': (1.0, 4.0),
'o3-pro': (20.0, 80.0),
'o3-deep-research': (10.0, 40.0),
'o3-mini': (1.1, 4.4),
'o4-mini': (1.1, 4.4),
'o4-mini-deep-research': (2.0, 8.0),
# Special models
'chatgpt-4o-latest': (5.0, 15.0),
'computer-use-preview': (3.0, 12.0),
'gpt-4o-search-preview': (2.5, 10.0),
'gpt-4o-mini-search-preview': (0.15, 0.6),
'codex-mini-latest': (1.5, 6.0),
# Small models
'davinci-002': (2.0, 2.0),
'babbage-002': (0.4, 0.4),
'default': (2.5, 10.0)
},
'anthropic': {
# Claude 4.5 series
'claude-opus-4.5': (5.0, 25.0),
'claude-opus-4.1': (15.0, 75.0),
'claude-opus-4': (15.0, 75.0),
# Claude Sonnet 4.x
'claude-sonnet-4.5': (3.0, 15.0),
'claude-sonnet-4': (3.0, 15.0),
'claude-sonnet-3.7': (3.0, 15.0),
# Claude Haiku 4.x / 3.x
'claude-haiku-4.5': (1.0, 5.0),
'claude-haiku-3.5': (0.80, 4.0),
'claude-haiku-3': (0.25, 1.25),
# Deprecated / legacy
'claude-opus-3': (15.0, 75.0),
'claude-2.1': (8.0, 24.0),
'claude-2': (8.0, 24.0),
'claude-instant': (0.8, 2.4),
'default': (3.0, 15.0)
},
'gemini': {
# Gemini 3 Series (Preview pricing from Google AI Studio)
'gemini-3-pro-preview': (2.0, 12.0), # ≤200k tokens tier
'gemini-3-pro': (2.0, 12.0),
'gemini-3-flash-preview': (0.5, 3.0), # text/image/video tier
'gemini-3-flash': (0.5, 3.0),
# Gemini 2.5 Series (Latest)
'gemini-2.5-pro': (1.25, 10.0), # ≤200k tokens
'gemini-2.5-flash': (0.3, 2.5),
'gemini-2.5-flash-lite': (0.1, 0.4),
'gemini-2.5-flash-lite-preview': (0.1, 0.4),
'gemini-2.5-flash-lite-preview-06-17': (0.1, 0.4),
'gemini-2.5-flash-native-audio': (0.5, 12.0), # Audio output
'gemini-2.5-flash-preview-native-audio-dialog': (0.5, 12.0),
'gemini-2.5-flash-exp-native-audio-thinking-dialog': (0.5, 12.0),
'gemini-2.5-flash-preview-tts': (0.5, 10.0),
'gemini-2.5-pro-preview-tts': (1.0, 20.0),
# Gemini 2.0 Series
'gemini-2.0-flash': (0.1, 0.4),
'gemini-2.0-flash-lite': (0.075, 0.3),
'gemini-2.0-flash-live': (0.35, 1.5),
'gemini-2.0-flash-live-001': (0.35, 1.5),
'gemini-live-2.5-flash-preview': (0.35, 1.5),
# Gemini 1.5 Series
'gemini-1.5-flash': (0.075, 0.3), # ≤128k tokens
'gemini-1.5-flash-8b': (0.0375, 0.15),
'gemini-1.5-pro': (1.25, 5.0),
# Legacy/Deprecated
'gemini-1.0-pro': (0.5, 1.5),
'gemini-pro': (0.5, 1.5),
# Experimental
'gemini-exp': (1.25, 5.0),
'default': (0.3, 2.5)
},
'mistral': {
'mistral-large': (3.0, 9.0),
'mistral-large-2': (3.0, 9.0),
'mistral-medium': (0.4, 2.0),
'mistral-medium-3': (0.4, 2.0),
'mistral-small': (1.0, 3.0),
'mistral-small-v24.09': (1.0, 3.0),
'mistral-nemo': (0.3, 0.3),
'mixtral-8x7b': (0.24, 0.24),
'mixtral-8x22b': (1.0, 3.0),
'codestral': (0.1, 0.3),
'ministral': (0.1, 0.3),
'default': (0.4, 2.0)
},
'groq': {
# Grok 4.1 and 4 fast
'grok-4-1-fast-reasoning': (0.20, 0.50),
'grok-4-1-fast-non-reasoning': (0.20, 0.50),
'grok-code-fast-1': (0.20, 1.50),
'grok-4-fast-reasoning': (0.20, 0.50),
'grok-4-fast-non-reasoning': (0.20, 0.50),
'grok-4-0709': (3.00, 15.00),
# Grok 3 series
'grok-3-mini': (0.30, 0.50),
'grok-3': (3.00, 15.00),
# Grok 2 series
'grok-2-vision-1212': (2.00, 10.00),
# Legacy/default fallback
'llama-4-scout': (0.11, 0.34),
'llama-4-maverick': (0.5, 0.77),
'llama-3.1-405b': (2.5, 2.5),
'llama-3.1-70b': (0.59, 0.79),
'llama-3.1-8b': (0.05, 0.1),
'llama-3-70b': (0.59, 0.79),
'llama-3-8b': (0.05, 0.1),
'mixtral-8x7b': (0.24, 0.24),
'gemma-7b': (0.07, 0.07),
'gemma2-9b': (0.1, 0.1),
'default': (0.3, 0.3)
},
'deepseek': {
'deepseek-v3': (0.27, 1.09), # Regular price
'deepseek-v3-promo': (0.14, 0.27), # Promo until Feb 8
'deepseek-chat': (0.27, 1.09),
'deepseek-r1': (0.27, 1.09),
'deepseek-reasoner': (0.27, 1.09),
'deepseek-coder': (0.14, 0.14),
'default': (0.27, 1.09)
},
'cohere': {
'command-a': (2.5, 10.0),
'command-r-plus': (2.5, 10.0),
'command-r+': (2.5, 10.0),
'command-r': (0.15, 0.6),
'command-r7b': (0.0375, 0.15),
'command': (1.0, 3.0),
'default': (0.5, 2.0)
}
}
provider_prices = token_prices.get(provider, {'default': (2.5, 10.0)})
# Find the right price for this model
price_tuple = provider_prices.get('default', (2.5, 10.0))
model_lower = model.lower()
# Try exact match first
if model_lower in provider_prices:
price_tuple = provider_prices[model_lower]
else:
# Try prefix matching
for model_key, price in provider_prices.items():
if model_key == 'default':
continue
# Remove version numbers for matching
model_key_clean = model_key.replace('-', '').replace('.', '')
model_lower_clean = model_lower.replace('-', '').replace('.', '')
if (model_lower.startswith(model_key) or
model_lower_clean.startswith(model_key_clean) or
model_key in model_lower):
price_tuple = price
break
# Calculate weighted average price based on compression_factor
input_price, output_price = price_tuple
input_ratio = 1 / (1 + compression_factor)
output_ratio = compression_factor / (1 + compression_factor)
price_per_million = (input_ratio * input_price) + (output_ratio * output_price)
# Calculate total tokens
# For translation: output is typically 1.2-1.5x input length
output_multiplier = compression_factor # Conservative estimate
total_tokens_per_chapter = avg_tokens_per_chapter * (1 + output_multiplier)
total_tokens = num_chapters * total_tokens_per_chapter
# Convert to cost
regular_cost = (total_tokens / 1_000_000) * price_per_million
# Batch API discount (50% off)
discount = self.PROVIDER_CONFIGS.get(provider, {}).get('discount', 0.5)
async_cost = regular_cost * discount
# Log for debugging
logger.info(f"Cost calculation for {model}:")
logger.info(f" Provider: {provider}")
logger.info(f" Input price: ${input_price:.4f}/1M tokens")
logger.info(f" Output price: ${output_price:.4f}/1M tokens")
logger.info(f" Compression factor: {compression_factor}")
logger.info(f" Weighted avg price: ${price_per_million:.4f}/1M tokens")
logger.info(f" Chapters: {num_chapters}")
logger.info(f" Avg input tokens/chapter: {avg_tokens_per_chapter:,}")
logger.info(f" Total tokens (input+output): {total_tokens:,}")
logger.info(f" Regular cost: ${regular_cost:.4f}")
logger.info(f" Async cost (50% off): ${async_cost:.4f}")
return (async_cost, regular_cost)
def prepare_batch_request(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare batch request for provider
Args:
chapters: List of chapter data with prompts
model: Model name
Returns:
Provider-specific batch request format
"""
provider = self.get_provider_from_model(model)
if provider == 'openai':
return self._prepare_openai_batch(chapters, model)
elif provider == 'anthropic':
return self._prepare_anthropic_batch(chapters, model)
elif provider == 'gemini':
return self._prepare_gemini_batch(chapters, model)
elif provider == 'mistral':
return self._prepare_mistral_batch(chapters, model)
elif provider == 'groq':
return self._prepare_groq_batch(chapters, model)
else:
raise ValueError(f"Unsupported provider for async: {provider}")
def _prepare_openai_batch(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare OpenAI batch format"""
# Allow any model to be used
actual_model = model
# Check if model is in our known supported list just for logging, but don't restrict it
supported_batch_models = {
# Current models (as of July 2025)
'gpt-4o': 'gpt-4o',
'gpt-4o-mini': 'gpt-4o-mini',
'gpt-4-turbo': 'gpt-4-turbo',
'gpt-4-turbo-preview': 'gpt-4-turbo',
'gpt-3.5-turbo': 'gpt-3.5-turbo',
'gpt-3.5': 'gpt-3.5-turbo',
# New GPT-4.1 models (if available in your region)
'gpt-4.1': 'gpt-4.1',
'gpt-4.1-mini': 'gpt-4.1-mini',
'gpt-4o-nano': 'gpt-4o-nano',
# Legacy models (may still work)
'gpt-4': 'gpt-4',
'gpt-4-0613': 'gpt-4-0613',
'gpt-4-0314': 'gpt-4-0314',
}
model_lower = model.lower()
known_mapping = None
for key, value in supported_batch_models.items():
if model_lower == key.lower() or model_lower.startswith(key.lower()):
known_mapping = value
break
if known_mapping:
actual_model = known_mapping
logger.info(f"Mapped '{model}' to known batch model '{actual_model}'")
else:
logger.info(f"Using unmapped model '{model}' for batch processing")
requests = []
for chapter in chapters:
# Validate messages
messages = chapter.get('messages', [])
if not messages:
print(f"Chapter {chapter['id']} has no messages!")
continue
# Ensure all messages have required fields
valid_messages = []
for msg in messages:
if not msg.get('role') or not msg.get('content'):
print(f"Skipping invalid message: {msg}")
continue
# Ensure content is string and not empty
content = str(msg['content']).strip()
if not content:
print(f"Skipping message with empty content")
continue
valid_messages.append({
'role': msg['role'],
'content': content
})
if not valid_messages:
print(f"No valid messages for chapter {chapter['id']}")
continue
# Decide correct token param name: newer O-series / GPT-5+ require max_completion_tokens
model_is_o_or_5 = self._is_o_series_model(actual_model)
token_param_name = "max_completion_tokens" if model_is_o_or_5 else "max_tokens"
# Honor the requested limit without capping so large outputs aren't truncated
requested_max_tokens = int(chapter.get('max_tokens', 65536))
request = {
"custom_id": chapter['id'],
"method": "POST",
"url": "/v1/chat/completions",
"body": {
"model": actual_model,
"messages": valid_messages,
"temperature": float(chapter.get('temperature', 0.3)),
token_param_name: requested_max_tokens
}
}
# Optional Gemini thinking budget (expects tokens count in chapter['thinking_budget_tokens'])
# Note: This is specific to Gemini, but keeping logic structure consistent.
# OpenAI typically uses 'reasoning_effort' or different params for o1/o3 models if supported in batch.
# If this was intended for OpenAI 'thinking' parameters, it might be incorrect here as OpenAI doesn't use "generateContentRequest" structure.
# However, if this code block is generic or copy-pasted, we should be careful.
# Since this is _prepare_openai_batch, "generateContentRequest" key is definitely WRONG for OpenAI.
# OpenAI Batch API expects standard chat completion body.
# Remove the incorrect Gemini-style structure injection for OpenAI
# If you need to support reasoning models (o1/o3), they use standard parameters or don't support temperature.
# For now, stripping the invalid key insertion.
# LOG THE FIRST REQUEST COMPLETELY
if len(requests) == 0:
print(f"=== FIRST REQUEST ===")
print(json.dumps(request, indent=2))
print(f"=== END FIRST REQUEST ===")
requests.append(request)
return {"requests": requests}
def _prepare_anthropic_batch(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare Anthropic batch format"""
requests = []
for chapter in chapters:
# Extract system message if present
system = None
messages = []
for msg in chapter['messages']:
if msg['role'] == 'system':
system = msg['content']
else:
messages.append(msg)
request = {
"custom_id": chapter['id'],
"params": {
"model": model,
"messages": messages,
"max_tokens": chapter.get('max_tokens', 65536),
"temperature": chapter.get('temperature', 0.3)
}
}
if system:
request["params"]["system"] = system
requests.append(request)
return {"requests": requests}
def _prepare_gemini_batch(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare Gemini batch format"""
requests = []
for chapter in chapters:
# Format messages for Gemini
prompt = self._format_messages_for_gemini(chapter['messages'])
request = {
"custom_id": chapter['id'],
"generateContentRequest": {
"model": f"models/{model}",
"contents": [{"parts": [{"text": prompt}]}],
"generationConfig": {
"temperature": chapter.get('temperature', 0.3),
"maxOutputTokens": chapter.get('max_tokens', 65536)
}
}
}
# Optional Gemini thinking config (Gemini 3 supports level and/or budgetTokens)
thinking_enabled = os.getenv("ENABLE_GEMINI_THINKING", "1").lower() not in ("0", "false")
if thinking_enabled:
thinking_cfg = {}
thinking_level = chapter.get('thinking_level') or os.getenv("GEMINI_THINKING_LEVEL")
if thinking_level:
thinking_cfg["level"] = str(thinking_level)
thinking_budget = chapter.get('thinking_budget_tokens')
if thinking_budget is None:
env_budget = os.getenv("THINKING_BUDGET")
if env_budget is not None:
try:
thinking_budget = int(env_budget)
except Exception:
thinking_budget = None
if thinking_budget is not None:
thinking_cfg["budgetTokens"] = int(thinking_budget)
if thinking_cfg:
request["generateContentRequest"]["generationConfig"]["thinking"] = thinking_cfg
# Add safety settings if disabled
if os.getenv("DISABLE_GEMINI_SAFETY", "false").lower() == "true":
request["generateContentRequest"]["safetySettings"] = [
{"category": cat, "threshold": "BLOCK_NONE"}
for cat in ["HARM_CATEGORY_HARASSMENT", "HARM_CATEGORY_HATE_SPEECH",
"HARM_CATEGORY_SEXUALLY_EXPLICIT", "HARM_CATEGORY_DANGEROUS_CONTENT",
"HARM_CATEGORY_CIVIC_INTEGRITY"]
]
requests.append(request)
return {"requests": requests}
def _prepare_mistral_batch(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare Mistral batch format"""
requests = []
for chapter in chapters:
request = {
"custom_id": chapter['id'],
"model": model,
"messages": chapter['messages'],
"temperature": chapter.get('temperature', 0.3),
"max_tokens": chapter.get('max_tokens', 65536)
}
requests.append(request)
return {"requests": requests}
def _prepare_groq_batch(self, chapters: List[Dict[str, Any]], model: str) -> Dict[str, Any]:
"""Prepare Groq batch format (OpenAI-compatible)"""
return self._prepare_openai_batch(chapters, model)
def _format_messages_for_gemini(self, messages: List[Dict[str, str]]) -> str:
"""Format messages for Gemini prompt"""
formatted_parts = []
for msg in messages:
role = msg.get('role', 'user').upper()
content = msg['content']
if role == 'SYSTEM':
formatted_parts.append(f"INSTRUCTIONS: {content}")
else:
formatted_parts.append(f"{role}: {content}")
return "\n\n".join(formatted_parts)
def _is_o_series_model(self, model: str) -> bool:
"""Detect OpenAI o-series and GPT-5+ models that require max_completion_tokens."""
ml = model.lower()
return ml.startswith(('o1', 'o3', 'o4', 'gpt-5'))
async def submit_batch(self, batch_data: Dict[str, Any], model: str, api_key: str) -> AsyncJobInfo:
"""Submit batch to provider and create job entry"""
provider = self.get_provider_from_model(model)
if provider == 'openai':
return await self._submit_openai_batch(batch_data, model, api_key)
elif provider == 'anthropic':
return await self._submit_anthropic_batch(batch_data, model, api_key)
elif provider == 'gemini':
return await self._submit_gemini_batch(batch_data, model, api_key)
elif provider == 'mistral':
return await self._submit_mistral_batch(batch_data, model, api_key)
elif provider == 'groq':
return await self._submit_groq_batch(batch_data, model, api_key)
else:
raise ValueError(f"Unsupported provider: {provider}")
def _submit_openai_batch_sync(self, batch_data, model, api_key):
"""Submit OpenAI batch synchronously"""
try:
# Remove aiofiles import - not needed for sync operations
import tempfile
import json
# Create temporary file for batch data
with tempfile.NamedTemporaryFile(mode='w', suffix='.jsonl', delete=False) as f:
# Write each request as JSONL
for request in batch_data['requests']:
json.dump(request, f)
f.write('\n')
temp_path = f.name
try:
# Upload file to OpenAI
headers = {'Authorization': f'Bearer {api_key}'}
with open(temp_path, 'rb') as f:
files = {'file': ('batch.jsonl', f, 'application/jsonl')}
data = {'purpose': 'batch'}
response = requests.post(
'https://api.openai.com/v1/files',
headers=headers,
files=files,
data=data
)
if response.status_code != 200:
raise Exception(f"File upload failed: {response.text}")
file_id = response.json()['id']
# Create batch job
batch_request = {
'input_file_id': file_id,
'endpoint': '/v1/chat/completions',
'completion_window': '24h'
}
response = requests.post(
'https://api.openai.com/v1/batches',
headers={**headers, 'Content-Type': 'application/json'},
json=batch_request
)
if response.status_code != 200:
raise Exception(f"Batch creation failed: {response.text}")
batch_info = response.json()
# Calculate cost estimate
total_tokens = sum(r.get('token_count', 15000) for r in batch_data['requests'])
async_cost, _ = self.estimate_cost(
len(batch_data['requests']),
total_tokens // len(batch_data['requests']),
model
)
job = AsyncJobInfo(
job_id=batch_info['id'],
provider='openai',
model=model,
status=AsyncAPIStatus.PENDING,
created_at=datetime.now(),
updated_at=datetime.now(),
total_requests=len(batch_data['requests']),
cost_estimate=async_cost,
metadata={'file_id': file_id, 'batch_info': batch_info}
)
return job
finally:
# Clean up temp file
if os.path.exists(temp_path):
os.unlink(temp_path)
except Exception as e:
print(f"OpenAI batch submission failed: {e}")
raise
def _submit_anthropic_batch_sync(self, batch_data: Dict[str, Any], model: str, api_key: str) -> AsyncJobInfo:
"""Submit Anthropic batch (synchronous version)"""
try:
headers = {
'X-API-Key': api_key,
'Content-Type': 'application/json',
'anthropic-version': '2023-06-01',
'anthropic-beta': 'message-batches-2024-09-24'
}
response = requests.post(
'https://api.anthropic.com/v1/messages/batches',
headers=headers,
json=batch_data
)
if response.status_code != 200:
raise Exception(f"Batch creation failed: {response.text}")
batch_info = response.json()
job = AsyncJobInfo(
job_id=batch_info['id'],
provider='anthropic',
model=model,
status=AsyncAPIStatus.PENDING,
created_at=datetime.now(),
updated_at=datetime.now(),
total_requests=len(batch_data['requests']),
metadata={'batch_info': batch_info}
)
return job
except Exception as e:
print(f"Anthropic batch submission failed: {e}")
raise
def check_job_status(self, job_id: str) -> AsyncJobInfo:
"""Check the status of a batch job"""
job = self.jobs.get(job_id)
if not job:
raise ValueError(f"Job {job_id} not found")
try:
provider = job.provider
if provider == 'openai':
self._check_openai_status(job)
elif provider == 'gemini':
self._check_gemini_status(job)
elif provider == 'anthropic':
self._check_anthropic_status(job)
else:
print(f"Unknown provider: {provider}")
# Update timestamp
job.updated_at = datetime.now()
self._save_jobs()
except Exception as e:
print(f"Error checking job status: {e}")
job.metadata['last_error'] = str(e)
return job
def _check_gemini_status(self, job: AsyncJobInfo):
"""Check Gemini batch status"""
try:
# First try the Python SDK approach
try:
from google import genai
api_key = self._get_api_key()
client = genai.Client(api_key=api_key)
# Get batch job status
batch_job = client.batches.get(name=job.job_id)
# Log the actual response for debugging
logger.info(f"Gemini batch job state: {batch_job.state.name if hasattr(batch_job, 'state') else 'Unknown'}")
# Map Gemini states to our status
state_map = {
'JOB_STATE_PENDING': AsyncAPIStatus.PENDING,
'JOB_STATE_RUNNING': AsyncAPIStatus.PROCESSING,
'JOB_STATE_SUCCEEDED': AsyncAPIStatus.COMPLETED,
'JOB_STATE_FAILED': AsyncAPIStatus.FAILED,
'JOB_STATE_CANCELLED': AsyncAPIStatus.CANCELLED,
'JOB_STATE_CANCELLING': AsyncAPIStatus.PROCESSING
}
job.status = state_map.get(batch_job.state.name, AsyncAPIStatus.PENDING)
# Update metadata
if not job.metadata:
job.metadata = {}
if 'batch_info' not in job.metadata:
job.metadata['batch_info'] = {}
job.metadata['batch_info']['state'] = batch_job.state.name
job.metadata['raw_state'] = batch_job.state.name
job.metadata['last_check'] = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
# Try to get progress information
if hasattr(batch_job, 'completed_count'):
job.completed_requests = batch_job.completed_count
elif job.status == AsyncAPIStatus.PROCESSING:
# If processing but no progress info, show as 1 to indicate it started
job.completed_requests = 1
elif job.status == AsyncAPIStatus.COMPLETED:
# If completed, all requests are done
job.completed_requests = job.total_requests
# If completed, store the result file info
if batch_job.state.name == 'JOB_STATE_SUCCEEDED' and hasattr(batch_job, 'dest'):
job.output_file = batch_job.dest.file_name if hasattr(batch_job.dest, 'file_name') else None
except Exception as sdk_error:
# Fallback to REST API if SDK fails
print(f"Gemini SDK failed, trying REST API: {sdk_error}")
api_key = self._get_api_key()
headers = {'x-goog-api-key': api_key}
batch_name = job.job_id if job.job_id.startswith('batches/') else f'batches/{job.job_id}'
response = requests.get(
f'https://generativelanguage.googleapis.com/v1beta/{batch_name}',
headers=headers
)
if response.status_code == 200:
data = response.json()
# Update job status
state = data.get('metadata', {}).get('state', 'JOB_STATE_PENDING')
# Map states
state_map = {
'JOB_STATE_PENDING': AsyncAPIStatus.PENDING,
'JOB_STATE_RUNNING': AsyncAPIStatus.PROCESSING,
'JOB_STATE_SUCCEEDED': AsyncAPIStatus.COMPLETED,
'JOB_STATE_FAILED': AsyncAPIStatus.FAILED,
'JOB_STATE_CANCELLED': AsyncAPIStatus.CANCELLED,
}
job.status = state_map.get(state, AsyncAPIStatus.PENDING)
# Extract progress from metadata
metadata = data.get('metadata', {})
# Gemini might provide progress info
if 'completedRequestCount' in metadata:
job.completed_requests = metadata['completedRequestCount']
if 'failedRequestCount' in metadata:
job.failed_requests = metadata['failedRequestCount']
if 'totalRequestCount' in metadata:
job.total_requests = metadata['totalRequestCount']
# Store raw state
if not job.metadata:
job.metadata = {}
job.metadata['raw_state'] = state
job.metadata['last_check'] = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
# Check if completed
if state == 'JOB_STATE_SUCCEEDED' and 'response' in data:
job.status = AsyncAPIStatus.COMPLETED
if 'responsesFile' in data.get('response', {}):
job.output_file = data['response']['responsesFile']
else:
print(f"Gemini status check failed: {response.status_code} - {response.text}")
except Exception as e:
print(f"Gemini status check failed: {e}")
if not job.metadata:
job.metadata = {}
job.metadata['last_error'] = str(e)
def _check_openai_status(self, job: AsyncJobInfo):
"""Check OpenAI batch status"""
try:
api_key = self._get_api_key()
headers = {'Authorization': f'Bearer {api_key}'}
response = requests.get(
f'https://api.openai.com/v1/batches/{job.job_id}',
headers=headers
)
if response.status_code != 200:
print(f"Status check failed: {response.text}")
return
data = response.json()
# Log the full response for debugging
logger.debug(f"OpenAI batch status response: {json.dumps(data, indent=2)}")
# Check for high failure rate while in progress
request_counts = data.get('request_counts', {})
total = request_counts.get('total', 0)
failed = request_counts.get('failed', 0)
completed = request_counts.get('completed', 0)
# Map OpenAI status to our status
status_map = {
'validating': AsyncAPIStatus.PENDING,
'in_progress': AsyncAPIStatus.PROCESSING,
'finalizing': AsyncAPIStatus.PROCESSING,
'completed': AsyncAPIStatus.COMPLETED,
'failed': AsyncAPIStatus.FAILED,
'expired': AsyncAPIStatus.EXPIRED,
'cancelled': AsyncAPIStatus.CANCELLED,
'cancelling': AsyncAPIStatus.CANCELLED,
}
job.status = status_map.get(data['status'], AsyncAPIStatus.PENDING)
# Update progress
request_counts = data.get('request_counts', {})
job.completed_requests = request_counts.get('completed', 0)
job.failed_requests = request_counts.get('failed', 0)
job.total_requests = request_counts.get('total', job.total_requests)
# Store metadata
if not job.metadata:
job.metadata = {}
job.metadata['raw_state'] = data['status']
job.metadata['last_check'] = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
# Handle completion
if data['status'] == 'completed':
# Check if all requests failed
if job.failed_requests > 0 and job.completed_requests == 0:
print(f"OpenAI job completed but all {job.failed_requests} requests failed")
job.status = AsyncAPIStatus.FAILED
job.metadata['all_failed'] = True
# Store error file if available
if data.get('error_file_id'):
job.metadata['error_file_id'] = data['error_file_id']
logger.info(f"Error file available: {data['error_file_id']}")
else:
# Normal completion with some successes
if 'output_file_id' in data and data['output_file_id']:
job.output_file = data['output_file_id']
logger.info(f"OpenAI job completed with output file: {job.output_file}")
# If there were also failures, note that
if job.failed_requests > 0:
job.metadata['partial_failure'] = True
print(f"Job completed with {job.failed_requests} failed requests out of {job.total_requests}")
else:
print(f"OpenAI job marked as completed but no output_file_id found: {data}")
# Always store error file if present
if data.get('error_file_id'):
job.metadata['error_file_id'] = data['error_file_id']
except Exception as e:
print(f"OpenAI status check failed: {e}")
if not job.metadata:
job.metadata = {}
job.metadata['last_error'] = str(e)
def _check_anthropic_status(self, job: AsyncJobInfo):
"""Check Anthropic batch status"""
try:
api_key = self._get_api_key()
headers = {
'X-API-Key': api_key,
'anthropic-version': '2023-06-01',
'anthropic-beta': 'message-batches-2024-09-24'
}
response = requests.get(
f'https://api.anthropic.com/v1/messages/batches/{job.job_id}',
headers=headers
)
if response.status_code != 200:
print(f"Status check failed: {response.text}")
return
data = response.json()
# Map Anthropic status
status_map = {
'created': AsyncAPIStatus.PENDING,
'processing': AsyncAPIStatus.PROCESSING,
'ended': AsyncAPIStatus.COMPLETED,
'failed': AsyncAPIStatus.FAILED,
'expired': AsyncAPIStatus.EXPIRED,
'canceled': AsyncAPIStatus.CANCELLED,
}
job.status = status_map.get(data['processing_status'], AsyncAPIStatus.PENDING)
# Update progress
results_summary = data.get('results_summary', {})
job.completed_requests = results_summary.get('succeeded', 0)
job.failed_requests = results_summary.get('failed', 0)
job.total_requests = results_summary.get('total', job.total_requests)
# Store metadata
if not job.metadata:
job.metadata = {}
job.metadata['raw_state'] = data['processing_status']
job.metadata['last_check'] = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
if data.get('results_url'):
job.output_file = data['results_url']
except Exception as e:
print(f"Anthropic status check failed: {e}")
if not job.metadata:
job.metadata = {}
job.metadata['last_error'] = str(e)
def _get_api_key(self) -> str:
"""Get API key from GUI settings"""
if hasattr(self.gui, 'api_key_entry'):
# PySide6 QLineEdit uses text() method
if hasattr(self.gui.api_key_entry, 'text'):
return self.gui.api_key_entry.text().strip()
else:
# Fallback for tkinter compatibility during transition
return self.gui.api_key_entry.get().strip()
elif hasattr(self.gui, 'api_key_var'):
return self.gui.api_key_var.get().strip()
else:
# Fallback to environment variable
return os.getenv('API_KEY', '') or os.getenv('GEMINI_API_KEY', '') or os.getenv('GOOGLE_API_KEY', '')
def _get_api_key_from_gui(self) -> str:
"""Wrapper for _get_api_key for consistency"""
return self._get_api_key()
def retrieve_results(self, job_id: str) -> List[Dict[str, Any]]:
"""Retrieve results from a completed batch job"""
job = self.jobs.get(job_id)
if not job:
raise ValueError(f"Job {job_id} not found")
if job.status != AsyncAPIStatus.COMPLETED:
raise ValueError(f"Job is not completed. Current status: {job.status.value}")
# If output file is missing, try to refresh status first
if not job.output_file:
print(f"No output file for completed job {job_id}, refreshing status...")
self.check_job_status(job_id)
# Re-check after status update
if not job.output_file:
# Log the job details for debugging
print(f"Job details: {json.dumps(job.to_dict(), indent=2)}")
raise ValueError(f"No output file available for job {job_id} even after status refresh")
provider = job.provider
if provider == 'openai':
return self._retrieve_openai_results(job)
elif provider == 'gemini':
return self._retrieve_gemini_results(job)
elif provider == 'anthropic':
return self._retrieve_anthropic_results(job)
else:
raise ValueError(f"Unknown provider: {provider}")
def _retrieve_gemini_results(self, job: AsyncJobInfo) -> List[Dict[str, Any]]:
"""Retrieve Gemini batch results"""
try:
from google import genai
api_key = self._get_api_key()
# Create client with API key
client = genai.Client(api_key=api_key)
# Get the batch job
batch_job = client.batches.get(name=job.job_id)
if batch_job.state != 'JOB_STATE_SUCCEEDED':
raise ValueError(f"Batch job not completed: {batch_job.state}")
# Download results
if hasattr(batch_job, 'dest') and batch_job.dest:
# Extract the file name from the destination object
if hasattr(batch_job.dest, 'output_uri'):
# For BigQuery or Cloud Storage destinations
file_name = batch_job.dest.output_uri
elif hasattr(batch_job.dest, 'file_name'):
# For file-based destinations
file_name = batch_job.dest.file_name
else:
# Try to get any file reference from the dest object
# Log the object to understand its structure
logger.info(f"BatchJobDestination object: {batch_job.dest}")
logger.info(f"BatchJobDestination attributes: {dir(batch_job.dest)}")
raise ValueError(f"Cannot extract file name from destination: {batch_job.dest}")
# Download the results file
results_content_bytes = client.files.download(file=file_name)
results_content = results_content_bytes.decode('utf-8')
results = []
# Parse JSONL results
for line in results_content.splitlines():
if line.strip():
result_data = json.loads(line)
# Extract the response content
text_content = ""
# Handle different response formats
if 'response' in result_data:
response = result_data['response']
# Check for different content structures
if isinstance(response, dict):
if 'candidates' in response and response['candidates']:
candidate = response['candidates'][0]
if 'content' in candidate and 'parts' in candidate['content']:
for part in candidate['content']['parts']:
if 'text' in part:
text_content += part['text']
elif 'text' in candidate:
text_content = candidate['text']
elif 'text' in response:
text_content = response['text']
elif 'content' in response:
text_content = response['content']
elif isinstance(response, str):
text_content = response
results.append({
'custom_id': result_data.get('key', ''),
'content': text_content,
'finish_reason': 'stop'
})
return results
else:
raise ValueError("No output file available for completed job")
except ImportError:
raise ImportError(
"google-genai package not installed. "
"Run: pip install google-genai"
)
except Exception as e:
print(f"Failed to retrieve Gemini results: {e}")
raise
def _retrieve_openai_results(self, job: AsyncJobInfo) -> List[Dict[str, Any]]:
"""Retrieve OpenAI batch results"""
if not job.output_file:
# Try one more status check
self._check_openai_status(job)
if not job.output_file:
raise ValueError(f"No output file available for OpenAI job {job.job_id}")
try:
api_key = self._get_api_key()
headers = {'Authorization': f'Bearer {api_key}'}
# Download results file
response = requests.get(
f'https://api.openai.com/v1/files/{job.output_file}/content',
headers=headers
)
if response.status_code != 200:
raise Exception(f"Failed to download results: {response.status_code} - {response.text}")
# Parse JSONL results
results = []
for line in response.text.strip().split('\n'):
if line:
try:
result = json.loads(line)
# Extract the actual response content
if 'response' in result and 'body' in result['response']:
results.append({
'custom_id': result.get('custom_id', ''),
'content': result['response']['body']['choices'][0]['message']['content'],
'finish_reason': result['response']['body']['choices'][0].get('finish_reason', 'stop')
})
else:
print(f"Unexpected result format: {result}")
except json.JSONDecodeError as e:
print(f"Failed to parse result line: {line} - {e}")
return results
except Exception as e:
print(f"Failed to retrieve OpenAI results: {e}")
print(f"Job details: {json.dumps(job.to_dict(), indent=2)}")
raise
def _retrieve_anthropic_results(self, job: AsyncJobInfo) -> List[Dict[str, Any]]:
"""Retrieve Anthropic batch results"""
if not job.output_file:
raise ValueError("No output file available")
api_key = self._get_api_key()
headers = {
'X-API-Key': api_key,
'anthropic-version': '2023-06-01'
}
# Download results
response = requests.get(job.output_file, headers=headers)
if response.status_code != 200:
raise Exception(f"Failed to download results: {response.text}")
# Parse JSONL results
results = []
for line in response.text.strip().split('\n'):
if line:
result = json.loads(line)
if result['result']['type'] == 'succeeded':
message = result['result']['message']
results.append({
'custom_id': result['custom_id'],
'content': message['content'][0]['text'],
'finish_reason': message.get('stop_reason', 'stop')
})
return results
class AsyncProcessingDialog:
"""GUI dialog for async processing"""
def _get_opf_spine_map(self, epub_path: str):
"""Return mapping of href/basename/slug -> spine position from content.opf"""
try:
import zipfile
import xml.etree.ElementTree as ET
spine_map = {}
with zipfile.ZipFile(epub_path, "r") as zf:
opf_name = None
for name in zf.namelist():
if name.lower().endswith(".opf"):
opf_name = name
break
if not opf_name:
return spine_map
opf_content = zf.read(opf_name).decode("utf-8", errors="ignore")
root = ET.fromstring(opf_content)
ns = {"opf": "http://www.idpf.org/2007/opf"}
if root.tag.startswith("{"):
ns = {"opf": root.tag[1 : root.tag.index("}")]}
manifest = {}
for item in root.findall(".//opf:manifest/opf:item", ns):
item_id = item.get("id")
href = item.get("href")
if item_id and href:
manifest[item_id] = href
spine = []
spine_elem = root.find(".//opf:spine", ns)
if spine_elem is not None:
for itemref in spine_elem.findall("opf:itemref", ns):
idref = itemref.get("idref")
if idref and idref in manifest:
spine.append(manifest[idref])
for idx, href in enumerate(spine):
base = os.path.basename(href)
slug = os.path.splitext(base)[0]
spine_map[href] = idx
spine_map[base] = idx
spine_map[slug] = idx
return spine_map
except Exception as e:
print(f"⚠️ Failed to parse OPF spine: {e}")
return {}
def _create_styled_checkbox(self, text):
"""Create a checkbox with proper checkmark using text overlay - from manga integration"""
from PySide6.QtWidgets import QCheckBox, QLabel
from PySide6.QtCore import Qt, QTimer
checkbox = QCheckBox(text)
checkbox.setStyleSheet("""
QCheckBox {
color: white;
spacing: 6px;
}
QCheckBox::indicator {
width: 14px;
height: 14px;
border: 1px solid #5a9fd4;
border-radius: 2px;
background-color: #2d2d2d;
}
QCheckBox::indicator:checked {
background-color: #5a9fd4;
border-color: #5a9fd4;
}
QCheckBox::indicator:hover {
border-color: #7bb3e0;
}
QCheckBox:disabled {
color: #666666;
}
QCheckBox::indicator:disabled {
background-color: #1a1a1a;
border-color: #3a3a3a;
}
""")
# Create checkmark overlay
checkmark = QLabel("✓", checkbox)
checkmark.setStyleSheet("""
QLabel {
color: white;
background: transparent;
font-weight: bold;
font-size: 11px;
}
""")
checkmark.setAlignment(Qt.AlignCenter)
checkmark.hide()
checkmark.setAttribute(Qt.WA_TransparentForMouseEvents) # Make checkmark click-through
# Position checkmark properly after widget is shown
def position_checkmark():
try:
# Check if checkmark still exists and is valid
if checkmark and not checkmark.isHidden() or True: # Always try to set geometry
checkmark.setGeometry(2, 1, 14, 14)
except RuntimeError:
# Widget was already deleted
pass
# Show/hide checkmark based on checked state
def update_checkmark():
try:
# Check if both widgets still exist
if checkbox and checkmark:
if checkbox.isChecked():
position_checkmark()
checkmark.show()
else:
checkmark.hide()
except RuntimeError:
# Widget was already deleted
pass
checkbox.stateChanged.connect(update_checkmark)
# Delay initial positioning to ensure widget is properly rendered
QTimer.singleShot(0, lambda: (position_checkmark(), update_checkmark()))
return checkbox
def __init__(self, parent, translator_gui):
"""Initialize dialog
Args:
parent: Parent window
translator_gui: Reference to main TranslatorGUI instance
"""
self.parent = parent
self.gui = translator_gui
# Fix for PyInstaller - ensure processor uses correct directory
self.processor = AsyncAPIProcessor(translator_gui)
# If running as exe, update the jobs file path
if getattr(sys, 'frozen', False):
# Running as compiled exe
application_path = os.path.dirname(sys.executable)
self.processor.jobs_file = os.path.join(application_path, 'async_jobs.json')
# Reload jobs from the correct location
self.processor._load_jobs()
self.selected_job_id = None
self.polling_jobs = set() # Track which jobs are being polled
self._create_dialog()
self._refresh_jobs_list()
def _create_dialog(self):
"""Create the async processing dialog"""
# Create main dialog
self.dialog = QDialog()
self.dialog.setWindowTitle("Async Batch Processing (50% Discount)")
self.dialog.setWindowFlags(Qt.Window | Qt.WindowMinimizeButtonHint | Qt.WindowMaximizeButtonHint | Qt.WindowCloseButtonHint)
self.dialog.setStyleSheet("""
QDialog {
background-color: #1e1e1e;
}
""")
# Override close behavior: hide instead of closing to preserve state
def _on_close(event):
try:
event.ignore()
self.dialog.hide()
return
except Exception:
pass
event.accept()
self.dialog.closeEvent = _on_close
# Set icon if available
try:
icon_path = os.path.join(self.gui.base_dir, 'Halgakos.ico')
if os.path.exists(icon_path):
self.dialog.setWindowIcon(QIcon(icon_path))
except Exception:
pass
# Main layout
main_layout = QVBoxLayout(self.dialog)
# Create scroll area
scroll_area = QScrollArea()
scroll_area.setWidgetResizable(True)
scroll_area.setHorizontalScrollBarPolicy(Qt.ScrollBarAsNeeded)
scroll_area.setVerticalScrollBarPolicy(Qt.ScrollBarAsNeeded)
# Create scrollable content widget
scrollable_widget = QWidget()
content_layout = QVBoxLayout(scrollable_widget)
content_layout.setContentsMargins(5, 5, 5, 5)
# Top section - Information and controls
self._create_info_section(scrollable_widget)
# Middle section - Configuration
self._create_config_section(scrollable_widget)
# Bottom section - Active jobs
self._create_jobs_section(scrollable_widget)
# Set scroll area widget
scroll_area.setWidget(scrollable_widget)
main_layout.addWidget(scroll_area)
# Button frame at bottom of dialog
self._create_button_frame(self.dialog)
# Load active jobs
self._refresh_jobs_list()
# Size and position dialog - give wider default
app = QApplication.instance()
if app:
screen = app.primaryScreen().availableGeometry()
dialog_width = int(screen.width() * 0.6)
dialog_height = int(screen.height() * 0.8)
self.dialog.resize(dialog_width, dialog_height)
# Ensure it doesn't shrink too small for new columns
self.dialog.setMinimumWidth(max(900, int(screen.width() * 0.6)))
# Center the dialog
dialog_x = screen.x() + (screen.width() - dialog_width) // 2
dialog_y = screen.y() + (screen.height() - dialog_height) // 2
self.dialog.move(dialog_x, dialog_y)
# Start auto refresh
self._start_auto_refresh(30)
# Show dialog
self.dialog.show()
def _create_info_section(self, parent):
"""Create information section"""
info_group = QGroupBox("Async Processing Information")
info_group.setStyleSheet("""
QGroupBox {
font-size: 11pt;
font-weight: bold;
border: 0.1em solid #555555;
border-radius: 0.25em;
margin-top: 0.5em;
padding: 0.75em;
color: #ffffff;
}
QGroupBox::title {
subcontrol-origin: margin;
left: 0.5em;
padding: 0 0.25em;
color: #ffffff;
}
""")
info_layout = QVBoxLayout()
info_group.setLayout(info_layout)
# Model and provider info
model_layout = QHBoxLayout()
model_label_text = QLabel("Current Model:")
model_label_text.setStyleSheet("font-size: 10pt; color: #ffffff;")
model_layout.addWidget(model_label_text)
# Get model name from GUI - handle both tkinter and PySide6
if hasattr(self.gui, 'model_var'):
if hasattr(self.gui.model_var, 'get'):
model_name = self.gui.model_var.get()
else:
model_name = str(self.gui.model_var) if self.gui.model_var else "Not selected"
else:
model_name = "Not selected"
self.model_label = QLabel(model_name)
self.model_label.setStyleSheet("font-size: 10pt; font-weight: bold; color: #ffffff;")
model_layout.addWidget(self.model_label)
model_layout.addSpacing(20)
# Check if model supports async
provider = self.processor.get_provider_from_model(model_name)
if provider and provider in self.processor.PROVIDER_CONFIGS:
status_text = f"✓ Supported ({provider.upper()})"
status_label = QLabel(status_text)
status_label.setStyleSheet("color: #28a745; font-size: 10pt; font-weight: bold;")
else:
status_text = "✗ Not supported for async"
status_label = QLabel(status_text)
status_label.setStyleSheet("color: #dc3545; font-size: 10pt; font-weight: bold;")
model_layout.addWidget(status_label)
model_layout.addStretch()
info_layout.addLayout(model_layout)
# Cost estimation
cost_label = QLabel("Cost Estimation:")
cost_label.setStyleSheet("font-size: 11pt; font-weight: bold; margin-top: 10px; color: #ffffff;")
info_layout.addWidget(cost_label)
self.cost_info_label = QLabel("Select chapters to see cost estimate")
self.cost_info_label.setStyleSheet("font-size: 10pt; color: #aaaaaa; padding: 0.25em;")
self.cost_info_label.setWordWrap(True)
info_layout.addWidget(self.cost_info_label)
# Add to parent layout
parent.layout().addWidget(info_group)
def _create_config_section(self, parent):
"""Create configuration section"""
config_group = QGroupBox("Async Processing Configuration")
config_group.setStyleSheet("""
QGroupBox {
font-size: 11pt;
font-weight: bold;
border: 0.1em solid #555555;
border-radius: 0.25em;
margin-top: 0.5em;
padding: 0.75em;
color: #ffffff;
}
QGroupBox::title {
subcontrol-origin: margin;
left: 0.5em;
padding: 0 0.25em;
color: #ffffff;
}
""")
config_layout = QVBoxLayout()
config_group.setLayout(config_layout)
# Wait for completion checkbox using styled version
self.wait_for_completion_checkbox = self._create_styled_checkbox("Wait for completion (blocks GUI)")
# Load from config
wait_value = self.gui.config.get('async_wait_for_completion', False)
print(f"[ASYNC_DEBUG] Loading async_wait_for_completion: {wait_value}")
self.wait_for_completion_checkbox.setChecked(wait_value)
# Save to config when changed
def _on_wait_changed(checked):
self.gui.config['async_wait_for_completion'] = checked
self.gui.async_wait_for_completion_var = checked
print(f"[ASYNC_DEBUG] Saving async_wait_for_completion: {checked}")
self.gui.save_config(show_message=False)
self.wait_for_completion_checkbox.toggled.connect(_on_wait_changed)
config_layout.addWidget(self.wait_for_completion_checkbox)
# Poll interval
poll_layout = QHBoxLayout()
poll_label = QLabel("Poll interval (seconds):")
poll_label.setStyleSheet("font-size: 10pt; color: #ffffff;")
poll_layout.addWidget(poll_label)
self.poll_interval_spinbox = QSpinBox()
self.poll_interval_spinbox.setMinimum(10)
self.poll_interval_spinbox.setMaximum(600)
# Load from config
poll_value = int(self.gui.config.get('async_poll_interval', 60))
print(f"[ASYNC_DEBUG] Loading async_poll_interval: {poll_value}")
self.poll_interval_spinbox.setValue(poll_value)
# Save to config when changed
def _on_poll_changed(value):
self.gui.config['async_poll_interval'] = value
self.gui.async_poll_interval_var = value
print(f"[ASYNC_DEBUG] Saving async_poll_interval: {value}")
self.gui.save_config(show_message=False)
self.poll_interval_spinbox.valueChanged.connect(_on_poll_changed)
self.poll_interval_spinbox.setFixedWidth(100)
# Disable mousewheel scrolling
self.poll_interval_spinbox.wheelEvent = lambda event: None
# Don't set any custom stylesheet - let it use default arrows
poll_layout.addWidget(self.poll_interval_spinbox)
poll_layout.addStretch()
config_layout.addLayout(poll_layout)
# Chapter selection info
self.chapter_info_label = QLabel("Note: Async processing will skip chapters that require chunking")
self.chapter_info_label.setStyleSheet("color: #ffa500; font-size: 9pt; padding: 0.25em;")
self.chapter_info_label.setWordWrap(True)
config_layout.addWidget(self.chapter_info_label)
# Add to parent layout
parent.layout().addWidget(config_group)
def _create_jobs_section(self, parent):
"""Create active jobs section"""
jobs_group = QGroupBox("Active Async Jobs")
jobs_group.setStyleSheet("""
QGroupBox {
font-size: 11pt;
font-weight: bold;
border: 0.1em solid #555555;
border-radius: 0.25em;
margin-top: 0.5em;
padding: 0.75em;
color: #ffffff;
}
QGroupBox::title {
subcontrol-origin: margin;
left: 0.5em;
padding: 0 0.25em;
color: #ffffff;
}
""")
jobs_layout = QVBoxLayout()
jobs_group.setLayout(jobs_layout)
# Jobs tree widget
self.jobs_tree = QTreeWidget()
self.jobs_tree.setColumnCount(8)
self.jobs_tree.setHeaderLabels(["Job ID", "Provider", "Model", "Status", "Progress", "Created", "Source File", "Cost"])
self.jobs_tree.setStyleSheet("""
QTreeWidget {
font-size: 10pt;
background-color: #2b2b2b;
alternate-background-color: #333333;
border: 0.05em solid #555555;
border-radius: 0.15em;
color: #ffffff;
}
QTreeWidget::item {
padding: 0.25em;
color: #ffffff;
}
QTreeWidget::item:hover {
background-color: #3d3d3d;
}
QTreeWidget::item:selected {
background-color: #0078d7;
color: white;
}
QHeaderView::section {
background-color: #1e1e1e;
color: #ffffff;
padding: 0.25em;
border: 0.05em solid #555555;
font-weight: bold;
}
""")
self.jobs_tree.setAlternatingRowColors(True)
# Allow selecting multiple jobs (Ctrl/Cmd-click, Shift-click, or Ctrl+A)
self.jobs_tree.setSelectionMode(QAbstractItemView.ExtendedSelection)
self.jobs_tree.setSelectionBehavior(QAbstractItemView.SelectRows)
# Set column widths
self.jobs_tree.setColumnWidth(0, 200) # Job ID
self.jobs_tree.setColumnWidth(1, 100) # Provider
self.jobs_tree.setColumnWidth(2, 150) # Model
self.jobs_tree.setColumnWidth(3, 100) # Status
self.jobs_tree.setColumnWidth(4, 150) # Progress
self.jobs_tree.setColumnWidth(5, 150) # Created
self.jobs_tree.setColumnWidth(6, 220) # Source File
self.jobs_tree.setColumnWidth(7, 100) # Cost
jobs_layout.addWidget(self.jobs_tree)
# Add a progress bar for the selected job
progress_layout = QHBoxLayout()
progress_text = QLabel("Selected Job Progress:")
progress_text.setStyleSheet("font-size: 10pt; font-weight: bold; color: #ffffff;")
progress_layout.addWidget(progress_text)
self.job_progress_bar = QProgressBar()
self.job_progress_bar.setMinimum(0)
self.job_progress_bar.setMaximum(100)
self.job_progress_bar.setValue(0)
self.job_progress_bar.setStyleSheet("""
QProgressBar {
border: 0.1em solid #555555;
border-radius: 0.25em;
text-align: center;
font-size: 9pt;
background-color: #2b2b2b;
color: #ffffff;
}
QProgressBar::chunk {
background-color: #0078d7;
border-radius: 0.15em;
}
""")
progress_layout.addWidget(self.job_progress_bar)
self.progress_label = QLabel("0%")
self.progress_label.setStyleSheet("font-size: 10pt; font-weight: bold; color: #aaaaaa;")
progress_layout.addWidget(self.progress_label)
jobs_layout.addLayout(progress_layout)
# Create context menu
self.jobs_context_menu = QMenu(self.jobs_tree)
self.jobs_context_menu.addAction("Check Status", self._check_selected_status)
self.jobs_context_menu.addAction("Retrieve Results", self._retrieve_selected_results)
self.jobs_context_menu.addSeparator()
self.jobs_context_menu.addAction("Delete", self._delete_selected_job)
# Set context menu policy
self.jobs_tree.setContextMenuPolicy(Qt.CustomContextMenu)
self.jobs_tree.customContextMenuRequested.connect(self._show_context_menu)
# Connect selection change
self.jobs_tree.itemSelectionChanged.connect(self._on_job_select)
# Job action buttons
action_layout = QHBoxLayout()
action_layout.setSpacing(10)
button_style = """
QPushButton {
background-color: #495057;
color: white;
font-size: 10pt;
font-weight: bold;
padding: 0.5em 1em;
border-radius: 0.25em;
border: none;
min-width: 6em;
}
QPushButton:hover {
background-color: #3d4349;
}
QPushButton:pressed {
background-color: #2d3238;
}
"""
check_status_btn = QPushButton("Check Status")
check_status_btn.clicked.connect(self._check_selected_status)
check_status_btn.setStyleSheet(button_style)
action_layout.addWidget(check_status_btn)
retrieve_btn = QPushButton("Retrieve Results")
retrieve_btn.clicked.connect(self._retrieve_selected_results)
retrieve_btn.setStyleSheet(button_style.replace("#495057", "#1e7e34").replace("#3d4349", "#19692c").replace("#2d3238", "#145523"))
action_layout.addWidget(retrieve_btn)
cancel_btn = QPushButton("Cancel Job")
cancel_btn.clicked.connect(self._cancel_selected_job)
cancel_btn.setStyleSheet(button_style.replace("#495057", "#e0a800").replace("#3d4349", "#c69500").replace("#2d3238", "#b38600"))
action_layout.addWidget(cancel_btn)
action_layout.addSpacing(30)
delete_btn = QPushButton("Delete Selected")
delete_btn.clicked.connect(self._delete_selected_job)
delete_btn.setStyleSheet(button_style.replace("#495057", "#bd2130").replace("#3d4349", "#a71d2a").replace("#2d3238", "#8b1924"))
action_layout.addWidget(delete_btn)
clear_btn = QPushButton("Clear Completed")
clear_btn.clicked.connect(self._clear_completed_jobs)
clear_btn.setStyleSheet(button_style)
action_layout.addWidget(clear_btn)
action_layout.addStretch()
jobs_layout.addLayout(action_layout)
# Add to parent layout
parent.layout().addWidget(jobs_group)
def _create_button_frame(self, parent):
"""Create bottom button frame"""
button_layout = QHBoxLayout()
button_layout.setContentsMargins(10, 5, 10, 10)
# Start processing button
self.start_button = QPushButton("Start Async Processing")
self.start_button.clicked.connect(self._start_processing)
self.start_button.setStyleSheet("""
QPushButton {
background-color: #1e7e34;
color: white;
font-weight: bold;
font-size: 11pt;
padding: 0.7em 1.5em;
border-radius: 0.25em;
border: none;
min-width: 10em;
}
QPushButton:hover {
background-color: #19692c;
border: 1px solid #28a745;
}
QPushButton:pressed {
background-color: #145523;
}
QPushButton:disabled {
background-color: #5a6268;
color: #999999;
}
""")
button_layout.addWidget(self.start_button)
# Estimate only button
estimate_button = QPushButton("Estimate Cost Only")
estimate_button.clicked.connect(self._estimate_cost)
estimate_button.setStyleSheet("""
QPushButton {
background-color: #0056b3;
color: white;
font-weight: bold;
font-size: 11pt;
padding: 0.7em 1.5em;
border-radius: 0.25em;
border: none;
min-width: 9em;
}
QPushButton:hover {
background-color: #004a9f;
border: 1px solid #007bff;
}
QPushButton:pressed {
background-color: #003d82;
}
""")
button_layout.addWidget(estimate_button)
button_layout.addStretch()
# Close button
close_button = QPushButton("Close")
close_button.clicked.connect(self.dialog.close)
close_button.setStyleSheet("""
QPushButton {
background-color: #495057;
color: white;
font-size: 10pt;
font-weight: bold;
padding: 0.7em 1.5em;
border-radius: 0.25em;
border: none;
min-width: 6em;
}
QPushButton:hover {
background-color: #3d4349;
}
QPushButton:pressed {
background-color: #2d3238;
}
""")
button_layout.addWidget(close_button)
# Add to parent layout
parent.layout().addLayout(button_layout)
def _show_context_menu(self, position):
"""Show context menu for jobs tree"""
item = self.jobs_tree.itemAt(position)
if item:
self.jobs_context_menu.exec_(self.jobs_tree.viewport().mapToGlobal(position))
def _update_selected_job_progress(self, job):
"""Update progress display for selected job"""
if hasattr(self, 'job_progress_bar'):
if job.total_requests > 0:
progress = int((job.completed_requests / job.total_requests) * 100)
self.job_progress_bar.setValue(progress)
# Update progress label if exists
if hasattr(self, 'progress_label'):
self.progress_label.setText(
f"{progress}% ({job.completed_requests}/{job.total_requests} chapters)"
)
else:
self.job_progress_bar.setValue(0)
if hasattr(self, 'progress_label'):
self.progress_label.setText("0% (Waiting)")
def _refresh_jobs_list(self):
"""Refresh the jobs list"""
# Clear existing items
self.jobs_tree.clear()
# Add jobs
for job_id, job in self.processor.jobs.items():
# Calculate progress percentage and format progress text
if job.total_requests > 0:
progress_pct = int((job.completed_requests / job.total_requests) * 100)
progress_text = f"{progress_pct}% ({job.completed_requests}/{job.total_requests})"
else:
progress_pct = 0
progress_text = "0% (0/0)"
# Override progress text for completed/failed/cancelled statuses
if job.status == AsyncAPIStatus.COMPLETED:
progress_text = "100% (Complete)"
elif job.status == AsyncAPIStatus.FAILED:
progress_text = f"{progress_pct}% (Failed)"
elif job.status == AsyncAPIStatus.CANCELLED:
progress_text = f"{progress_pct}% (Cancelled)"
elif job.status == AsyncAPIStatus.PENDING:
progress_text = "0% (Waiting)"
created = job.created_at.strftime("%Y-%m-%d %H:%M")
cost = f"${job.cost_estimate:.2f}" if job.cost_estimate else "N/A"
# Determine status style
status_text = job.status.value.capitalize()
# Shorten job ID for display
display_id = job_id[:20] + "..." if len(job_id) > 20 else job_id
source_file = ""
try:
src_path = job.metadata.get('source_file') if job.metadata else ""
if src_path:
source_file = os.path.basename(src_path)
except Exception:
source_file = ""
# Create tree widget item
item = QTreeWidgetItem([
display_id,
job.provider.upper(),
job.model[:15] + "..." if len(job.model) > 15 else job.model, # Shorten model name
status_text,
progress_text, # Now shows percentage and counts
created,
source_file,
cost
])
# Set color based on status (foreground + subtle background)
fg_bg_map = {
AsyncAPIStatus.PENDING: ("#e0a800", "#2a2412"),
AsyncAPIStatus.PROCESSING: ("#4aa3ff", "#1b2938"),
AsyncAPIStatus.COMPLETED: ("#5cb85c", "#1c2a1c"),
AsyncAPIStatus.FAILED: ("#ff6b6b", "#2a1618"),
AsyncAPIStatus.CANCELLED: ("#9ea3a8", "#242628"),
AsyncAPIStatus.EXPIRED: ("#e0a800", "#2a2412")
}
fg, bg = fg_bg_map.get(job.status, ("#cfd3d8", "#1e1e1e"))
for col in range(8):
item.setForeground(col, QBrush(QColor(fg)))
item.setBackground(col, QBrush(QColor(bg)))
# Store job_id in item data for retrieval
item.setData(0, Qt.UserRole, job_id)
self.jobs_tree.addTopLevelItem(item)
# Update progress bar if a job is selected
if hasattr(self, 'selected_job_id') and self.selected_job_id:
job = self.processor.jobs.get(self.selected_job_id)
if job:
self._update_selected_job_progress(job)
def _get_selected_job_ids(self) -> List[str]:
"""Return list of job_ids for current selection"""
selected_items = self.jobs_tree.selectedItems()
job_ids = []
for item in selected_items:
job_id = item.data(0, Qt.UserRole)
if job_id:
job_ids.append(job_id)
return job_ids
def _on_job_select(self):
"""Handle job selection"""
selected_items = self.jobs_tree.selectedItems()
if selected_items:
item = selected_items[0]
# Get full job ID from the item data
job_id = item.data(0, Qt.UserRole)
if job_id:
self.selected_job_id = job_id
# Update progress display for selected job
job = self.processor.jobs.get(job_id)
if job:
# Update progress bar if it exists
if hasattr(self, 'job_progress_bar'):
if job.total_requests > 0:
progress = int((job.completed_requests / job.total_requests) * 100)
self.job_progress_bar.setValue(progress)
else:
self.job_progress_bar.setValue(0)
# Update progress label if it exists
if hasattr(self, 'progress_label'):
if job.total_requests > 0:
progress = int((job.completed_requests / job.total_requests) * 100)
self.progress_label.setText(
f"{progress}% ({job.completed_requests}/{job.total_requests} chapters)"
)
else:
self.progress_label.setText("0% (Waiting)")
# Log selection
logger.info(f"Selected job: {job_id[:30]}... - Status: {job.status.value}")
def _check_selected_status(self):
"""Check status of selected job"""
if not self.selected_job_id:
QMessageBox.warning(self.dialog, "No Selection", "Please select a job to check status")
return
try:
job = self.processor.check_job_status(self.selected_job_id)
self._refresh_jobs_list()
# Build detailed status message
status_text = f"Job ID: {job.job_id}\n"
status_text += f"Provider: {job.provider.upper()}\n"
status_text += f"Status: {job.status.value}\n"
status_text += f"State: {job.metadata.get('raw_state', 'Unknown')}\n\n"
# Progress information
if job.completed_requests > 0 or job.status == AsyncAPIStatus.PROCESSING:
status_text += f"Progress: {job.completed_requests}/{job.total_requests}\n"
else:
status_text += f"Progress: Waiting to start (0/{job.total_requests})\n"
status_text += f"Failed: {job.failed_requests}\n\n"
# Time information
status_text += f"Created: {job.created_at.strftime('%Y-%m-%d %H:%M:%S')}\n"
status_text += f"Last Updated: {job.updated_at.strftime('%Y-%m-%d %H:%M:%S')}\n"
if 'last_check' in job.metadata:
status_text += f"Last Checked: {job.metadata['last_check']}\n"
# If OpenAI provided an error file, fetch a brief excerpt so the user sees the actual failure reason
if job.provider == 'openai' and job.metadata.get('error_file_id'):
snippet = self._fetch_openai_error_snippet(job.metadata['error_file_id'])
if snippet:
status_text += f"\nErrors (first 5):\n{snippet}\n"
# Show output file if available
if job.output_file:
status_text += f"\nOutput Ready: {job.output_file}\n"
QMessageBox.information(self.dialog, "Job Status", status_text)
except Exception as e:
QMessageBox.critical(self.dialog, "Error", f"Failed to check status: {str(e)}")
def _fetch_openai_error_snippet(self, error_file_id: str) -> str:
"""
Download the OpenAI batch error file and return the first few error messages.
Returns empty string on failure.
"""
try:
api_key = self._get_api_key_from_gui()
if not api_key:
return ""
headers = {'Authorization': f'Bearer {api_key}'}
response = requests.get(
f'https://api.openai.com/v1/files/{error_file_id}/content',
headers=headers,
timeout=15
)
if response.status_code != 200:
return ""
lines = response.text.strip().split('\n')
snippets = []
for line in lines[:5]:
try:
obj = json.loads(line)
msg = obj.get('error', {}).get('message') or obj.get('message') or str(obj)
snippets.append(f"• {msg}")
except Exception:
snippets.append(f"• {line}")
if len(lines) > 5:
snippets.append(f"... and {len(lines) - 5} more")
return "\n".join(snippets)
except Exception:
return ""
def _start_auto_refresh(self, interval_seconds=30):
"""Start automatic status refresh"""
def refresh():
if hasattr(self, 'dialog') and self.dialog.isVisible():
# Refresh all jobs
for job_id in list(self.processor.jobs.keys()):
try:
job = self.processor.jobs[job_id]
if job.status in [AsyncAPIStatus.PENDING, AsyncAPIStatus.PROCESSING]:
self.processor.check_job_status(job_id)
except:
pass
self._refresh_jobs_list()
# Create and start timer
self.refresh_timer = QTimer()
self.refresh_timer.timeout.connect(refresh)
self.refresh_timer.start(interval_seconds * 1000) # Convert to milliseconds
# Do first refresh immediately
refresh()
def _retrieve_selected_results(self):
"""Retrieve results from selected job"""
job_ids = self._get_selected_job_ids()
if not job_ids:
QMessageBox.warning(self.dialog, "No Selection", "Please select one or more jobs to retrieve results")
return
# Partition by status
incompletes = []
not_found = []
for job_id in job_ids:
job = self.processor.jobs.get(job_id)
if not job:
not_found.append(job_id)
elif job.status != AsyncAPIStatus.COMPLETED:
incompletes.append(job_id)
if not_found:
QMessageBox.critical(self.dialog, "Error", f"{len(not_found)} selected job(s) not found locally.")
return
if incompletes:
QMessageBox.warning(
self.dialog,
"Job Not Complete",
f"{len(incompletes)} selected job(s) are not completed yet and were skipped."
)
completed_jobs = [jid for jid in job_ids if jid not in incompletes and jid not in not_found]
if not completed_jobs:
return
try:
if hasattr(self, 'dialog') and self.dialog.isVisible():
self.dialog.setCursor(Qt.WaitCursor)
for jid in completed_jobs:
self._handle_completed_job(jid)
except Exception as e:
self._log(f"❌ Error retrieving results: {e}")
QMessageBox.critical(self.dialog, "Error", f"Failed to retrieve some results: {str(e)}")
finally:
if hasattr(self, 'dialog') and self.dialog.isVisible():
self.dialog.setCursor(Qt.ArrowCursor)
def _cancel_selected_job(self):
"""Cancel selected job"""
job_ids = self._get_selected_job_ids()
if not job_ids:
QMessageBox.warning(self.dialog, "No Selection", "Please select one or more jobs to cancel")
return
cancellable = []
skipped = []
for jid in job_ids:
job = self.processor.jobs.get(jid)
if not job or job.status in [AsyncAPIStatus.COMPLETED, AsyncAPIStatus.FAILED, AsyncAPIStatus.CANCELLED]:
skipped.append(jid)
else:
cancellable.append(job)
if not cancellable:
QMessageBox.information(self.dialog, "Nothing to Cancel", "No selected jobs can be cancelled.")
return
reply = QMessageBox.question(
self.dialog,
"Cancel Jobs",
f"Cancel {len(cancellable)} selected job(s)?",
QMessageBox.Yes | QMessageBox.No
)
if reply != QMessageBox.Yes:
return
# Explicitly RE-ENABLE button here since we are just canceling a remote job
# and not running a local blocking process that needs the UI disabled.
# Although cancelling is quick, we don't want to leave the button disabled if it was.
# But wait, this method (_cancel_selected_job) doesn't disable the start button.
# The issue might be that the user thinks "Start Async Processing" is disabled *while* a job is running?
# Or if they cancel, they expect to start a new one immediately?
# If the start button was disabled because a job was running/submitting, ensure it's enabled.
if hasattr(self, 'start_button'):
self.start_button.setEnabled(True)
api_key = self._get_api_key_from_gui()
successes, failures = 0, []
for job in cancellable:
try:
if job.provider == 'openai':
headers = {'Authorization': f'Bearer {api_key}'}
response = requests.post(f'https://api.openai.com/v1/batches/{job.job_id}/cancel', headers=headers)
if response.status_code == 200:
job.status = AsyncAPIStatus.CANCELLED
successes += 1
else:
failures.append((job.job_id, response.text))
elif job.provider == 'gemini':
headers = {'x-goog-api-key': api_key}
batch_name = job.job_id if job.job_id.startswith('batches/') else f'batches/{job.job_id}'
response = requests.post(f'https://generativelanguage.googleapis.com/v1beta/{batch_name}:cancel', headers=headers)
if response.status_code == 200:
job.status = AsyncAPIStatus.CANCELLED
successes += 1
else:
failures.append((job.job_id, response.text))
elif job.provider == 'anthropic':
job.status = AsyncAPIStatus.CANCELLED
successes += 1
else:
job.status = AsyncAPIStatus.CANCELLED
successes += 1
job.updated_at = datetime.now()
except Exception as e:
failures.append((job.job_id, str(e)))
self.processor._save_jobs()
self._refresh_jobs_list()
summary = f"Cancelled: {successes}"
if skipped:
summary += f"\nSkipped (already done/failed): {len(skipped)}"
if failures:
summary += f"\nFailed: {len(failures)}"
QMessageBox.information(self.dialog, "Cancel Jobs", summary)
def _cancel_openai_job(self, job, api_key):
"""Cancel OpenAI batch job"""
headers = {
'Authorization': f'Bearer {api_key}',
'Content-Type': 'application/json'
}
# OpenAI has a specific cancel endpoint
cancel_url = f"https://api.openai.com/v1/batches/{job.job_id}/cancel"
response = requests.post(cancel_url, headers=headers)
if response.status_code not in [200, 204]:
raise Exception(f"OpenAI cancellation failed: {response.text}")
logger.info(f"OpenAI job {job.job_id} cancelled successfully")
def _cancel_anthropic_job(self, job, api_key):
"""Cancel Anthropic batch job"""
headers = {
'X-API-Key': api_key,
'anthropic-version': '2023-06-01',
'anthropic-beta': 'message-batches-2024-09-24'
}
# Anthropic uses DELETE method for cancellation
cancel_url = f"https://api.anthropic.com/v1/messages/batches/{job.job_id}"
response = requests.delete(cancel_url, headers=headers)
if response.status_code not in [200, 204]:
raise Exception(f"Anthropic cancellation failed: {response.text}")
logger.info(f"Anthropic job {job.job_id} cancelled successfully")
def _cancel_gemini_job(self, job, api_key):
"""Cancel Gemini batch job"""
try:
from google import genai
# Create client
client = genai.Client(api_key=api_key)
# Try to cancel using the SDK
# Note: The SDK might not have a cancel method yet
if hasattr(client.batches, 'cancel'):
client.batches.cancel(name=job.job_id)
logger.info(f"Gemini job {job.job_id} cancelled successfully")
else:
# If SDK doesn't support cancellation, inform the user
raise Exception(
"Gemini batch cancellation is not supported yet.\n"
"The job will continue to run and complete within 24 hours.\n"
"You can check the status later to retrieve results."
)
except AttributeError:
# SDK doesn't have cancel method
raise Exception(
"Gemini batch cancellation is not available in the current SDK.\n"
"The job will continue to run and complete within 24 hours."
)
except Exception as e:
# Check if it's a permission error
if "403" in str(e) or "PERMISSION_DENIED" in str(e):
raise Exception(
"Gemini batch jobs cannot be cancelled once submitted.\n"
"The job will complete within 24 hours and you can retrieve results then."
)
else:
# Re-raise other errors
raise
def _cancel_mistral_job(self, job, api_key):
"""Cancel Mistral batch job"""
headers = {
'Authorization': f'Bearer {api_key}',
'Content-Type': 'application/json'
}
# Mistral batch cancellation endpoint
cancel_url = f"https://api.mistral.ai/v1/batch/jobs/{job.job_id}/cancel"
response = requests.post(cancel_url, headers=headers)
if response.status_code not in [200, 204]:
raise Exception(f"Mistral cancellation failed: {response.text}")
logger.info(f"Mistral job {job.job_id} cancelled successfully")
def _cancel_groq_job(self, job, api_key):
"""Cancel Groq batch job"""
# Groq uses OpenAI-compatible endpoints
headers = {
'Authorization': f'Bearer {api_key}',
'Content-Type': 'application/json'
}
cancel_url = f"https://api.groq.com/openai/v1/batch/{job.job_id}/cancel"
response = requests.post(cancel_url, headers=headers)
if response.status_code not in [200, 204]:
raise Exception(f"Groq cancellation failed: {response.text}")
logger.info(f"Groq job {job.job_id} cancelled successfully")
def _estimate_cost(self):
"""Estimate cost for current file"""
# Get current file info
if not hasattr(self.gui, 'file_path') or not self.gui.file_path:
QMessageBox.warning(self.dialog, "No File", "Please select a file first")
return
try:
# Show analyzing message
self.cost_info_label.setText("Analyzing file...")
QApplication.processEvents()
file_path = self.gui.file_path
# Get model name - handle both tkinter and PySide6
if hasattr(self.gui.model_var, 'get'):
model = self.gui.model_var.get()
else:
model = str(self.gui.model_var) if self.gui.model_var else ""
# Calculate overhead tokens (system prompt + glossary)
overhead_tokens = 0
# Count system prompt tokens
# Get text from QTextEdit (PySide6) or Text widget (tkinter)
if hasattr(self.gui.prompt_text, 'toPlainText'):
system_prompt = self.gui.prompt_text.toPlainText().strip()
else:
system_prompt = self.gui.prompt_text.get("1.0", "end").strip()
if system_prompt:
overhead_tokens += self.count_tokens(system_prompt, model)
logger.info(f"System prompt tokens: {overhead_tokens}")
# Count glossary tokens if enabled
glossary_tokens = 0
# Check if glossary should be appended - match the logic from _prepare_environment_variables
append_glossary = False
if hasattr(self.gui, 'append_glossary_var'):
if hasattr(self.gui.append_glossary_var, 'get'):
append_glossary = self.gui.append_glossary_var.get()
else:
append_glossary = bool(self.gui.append_glossary_var)
if (hasattr(self.gui, 'manual_glossary_path') and
self.gui.manual_glossary_path and
append_glossary): # This is the key check!
try:
glossary_path = self.gui.manual_glossary_path
logger.info(f"Loading glossary from: {glossary_path}")
if os.path.exists(glossary_path):
with open(glossary_path, 'r', encoding='utf-8') as f:
glossary_data = json.load(f)
# Format glossary same way as in translation
#glossary_text = self._format_glossary_for_prompt(glossary_data)
# Add append prompt if available
append_prompt = self.gui.append_glossary_prompt if hasattr(self.gui, 'append_glossary_prompt') else ''
if append_prompt:
if '{glossary}' in append_prompt:
glossary_text = append_prompt.replace('{glossary}', glossary_text)
else:
glossary_text = f"{append_prompt}\n{glossary_text}"
else:
glossary_text = f"Glossary:\n{glossary_text}"
glossary_tokens = self.count_tokens(glossary_text, model)
overhead_tokens += glossary_tokens
logger.info(f"Loaded glossary with {glossary_tokens} tokens")
else:
print(f"Glossary file not found: {glossary_path}")
except Exception as e:
print(f"Failed to load glossary: {e}")
logger.info(f"Total overhead per chapter: {overhead_tokens} tokens")
# Actually extract chapters and count tokens
num_chapters = 0
total_content_tokens = 0 # Just the chapter content
chapters_needing_chunking = 0
if file_path.lower().endswith('.epub'):
# Import and use EPUB extraction
try:
import ebooklib
from ebooklib import epub
from bs4 import BeautifulSoup
book = epub.read_epub(file_path)
chapters = []
# Extract text chapters
for item in book.get_items():
if item.get_type() == ebooklib.ITEM_DOCUMENT:
soup = BeautifulSoup(item.get_content(), 'html.parser')
text = soup.get_text(separator='\n').strip()
if len(text) > 500: # Minimum chapter length
chapters.append(text)
num_chapters = len(chapters)
# Count tokens for each chapter (sample more for better accuracy)
sample_size = min(20, num_chapters) # Sample up to 20 chapters for better accuracy
sampled_content_tokens = 0
# Resolve output token limit for chunking (honor disable flag)
try:
output_limit_disabled = bool(getattr(self.gui, 'token_limit_disabled', False))
except Exception:
output_limit_disabled = False
output_limit_disabled = output_limit_disabled or bool(self.gui.config.get('token_limit_disabled', False))
if output_limit_disabled:
output_limit = 0 # unlimited
else:
try:
output_limit = int(env_vars.get('MAX_OUTPUT_TOKENS', 65536))
except Exception:
output_limit = 65536
# Count just the content tokens
content_tokens = self.count_tokens(chapter_text, model)
sampled_content_tokens += content_tokens
# Check if needs chunking (including overhead)
total_chapter_tokens = content_tokens + overhead_tokens
if output_limit == 0:
needs_chunking = False
else:
needs_chunking = total_chapter_tokens > output_limit * 0.8
if needs_chunking:
chapters_needing_chunking += 1
# Update progress
if i % 5 == 0:
self.cost_info_label.setText(f"Analyzing chapters... {i+1}/{sample_size}")
QApplication.processEvents()
# Calculate average based on actual sample
if sample_size > 0:
avg_content_tokens_per_chapter = sampled_content_tokens // sample_size
# Extrapolate chunking needs if we didn't sample all
if num_chapters > sample_size:
chapters_needing_chunking = int(chapters_needing_chunking * (num_chapters / sample_size))
else:
avg_content_tokens_per_chapter = 15000 # Default
except Exception as e:
print(f"Failed to analyze EPUB: {e}")
# Fall back to estimates
num_chapters = 50
avg_content_tokens_per_chapter = 15000
elif file_path.lower().endswith('.txt'):
# Import and use TXT extraction
try:
from txt_processor import TextFileProcessor
processor = TextFileProcessor(file_path, '')
chapters = processor.extract_chapters()
num_chapters = len(chapters)
# Count tokens
sample_size = min(20, num_chapters) # Sample up to 20 chapters
sampled_content_tokens = 0
# Resolve token limit for chunking (honor disable flag)
token_limit_disabled = bool(getattr(self.gui, 'token_limit_disabled', False)) or bool(self.gui.config.get('token_limit_disabled', False))
if token_limit_disabled:
token_limit = 0 # unlimited
else:
try:
raw_limit = self.gui.token_limit_entry.text() if hasattr(self.gui.token_limit_entry, 'text') else self.gui.token_limit_entry.get()
except Exception:
raw_limit = ''
raw_limit = (raw_limit or '').strip()
if raw_limit:
try:
token_limit = int(raw_limit)
except Exception:
token_limit = 65536
else:
try:
token_limit = int(env_vars.get('MAX_OUTPUT_TOKENS', 65536))
except Exception:
token_limit = 65536
try:
cfg_limit = self.gui.config.get('token_limit')
if cfg_limit:
token_limit = int(cfg_limit)
except Exception:
pass
for i, chapter_text in enumerate(chapters[:sample_size]):
# Count just the content tokens
content_tokens = self.count_tokens(chapter_text, model)
sampled_content_tokens += content_tokens
# Check if needs chunking (including overhead)
total_chapter_tokens = content_tokens + overhead_tokens
if token_limit == 0:
needs_chunking = False
else:
needs_chunking = total_chapter_tokens > token_limit * 0.8
if needs_chunking:
chapters_needing_chunking += 1
# Update progress
if i % 5 == 0:
self.cost_info_label.setText(f"Analyzing chapters... {i+1}/{sample_size}")
QApplication.processEvents()
# Calculate average based on actual sample
if sample_size > 0:
avg_content_tokens_per_chapter = sampled_content_tokens // sample_size
# Extrapolate chunking needs
if num_chapters > sample_size:
chapters_needing_chunking = int(chapters_needing_chunking * (num_chapters / sample_size))
else:
avg_content_tokens_per_chapter = 15000 # Default
except Exception as e:
print(f"Failed to analyze TXT: {e}")
# Fall back to estimates
num_chapters = 50
avg_content_tokens_per_chapter = 15000
else:
# Unsupported format
self.cost_info_label.setText(
"Unsupported file format. Only EPUB and TXT are supported."
)
return
# Calculate costs
processable_chapters = num_chapters - chapters_needing_chunking
if processable_chapters <= 0:
self.cost_info_label.setText(
f"Warning: All {num_chapters} chapters require chunking.\n"
f"Async APIs do not support chunked chapters.\n"
f"Consider using regular batch translation instead."
)
return
# Add overhead to get total average tokens per chapter
avg_total_tokens_per_chapter = avg_content_tokens_per_chapter + overhead_tokens
# Get the translation compression factor from GUI
if hasattr(self.gui.compression_factor_var, 'get'):
compression_factor = float(self.gui.compression_factor_var.get() or 1.0)
else:
compression_factor = float(self.gui.compression_factor_var or 1.0)
# Get accurate cost estimate
async_cost, regular_cost = self.processor.estimate_cost(
processable_chapters,
avg_total_tokens_per_chapter, # Now includes content + system prompt + glossary
model,
compression_factor
)
# Update any existing jobs for this file with the accurate estimate
current_file = self.gui.file_path
for job_id, job in self.processor.jobs.items():
# Check if this job is for the current file and model
if (job.metadata and
job.metadata.get('source_file') == current_file and
job.model == model and
job.status in [AsyncAPIStatus.PENDING, AsyncAPIStatus.PROCESSING]):
# Update the cost estimate
job.cost_estimate = async_cost
job.updated_at = datetime.now()
# Save updated jobs
self.processor._save_jobs()
# Refresh the display
self._refresh_jobs_list()
# Build detailed message
cost_text = f"File analysis complete!\n\n"
cost_text += f"Total chapters: {num_chapters}\n"
cost_text += f"Average content tokens per chapter: {avg_content_tokens_per_chapter:,}\n"
cost_text += f"Overhead per chapter: {overhead_tokens:,} tokens"
if glossary_tokens > 0:
cost_text += f" (system: {overhead_tokens - glossary_tokens:,}, glossary: {glossary_tokens:,})"
cost_text += f"\nTotal input tokens per chapter: {avg_total_tokens_per_chapter:,}\n"
if chapters_needing_chunking > 0:
cost_text += f"\nChapters requiring chunking: {chapters_needing_chunking} (will be skipped)\n"
cost_text += f"Processable chapters: {processable_chapters}\n"
cost_text += f"\nEstimated cost for {processable_chapters} chapters:\n"
cost_text += f"Regular processing: ${regular_cost:.2f}\n"
cost_text += f"Async processing: ${async_cost:.2f} (50% savings: ${regular_cost - async_cost:.2f})"
# Add note about token calculation
cost_text += f"\n\nNote: Costs include input (~{avg_total_tokens_per_chapter:,}) and "
cost_text += f"output (~{int(avg_content_tokens_per_chapter * compression_factor):,}) tokens per chapter."
self.cost_info_label.setText(cost_text)
except Exception as e:
self.cost_info_label.setText(
f"Error estimating cost: {str(e)}"
)
print(f"Cost estimation error: {traceback.format_exc()}")
def _estimate_batch_cost(self):
"""
Run the same detailed estimation used by the 'Estimate Cost Only' button.
This is invoked automatically right after a batch is submitted so the
job list shows the accurate cost (including system prompt/glossary
overhead and the user-selected compression factor).
"""
return self._estimate_cost()
def count_tokens(self, text, model):
"""Count tokens in text (content only - system prompt and glossary are counted separately)"""
try:
import tiktoken
# Get base encoding for model
if model.startswith(('gpt-4', 'gpt-3')):
try:
encoding = tiktoken.encoding_for_model(model)
except KeyError:
encoding = tiktoken.get_encoding("cl100k_base")
elif model.startswith('claude'):
encoding = tiktoken.get_encoding("cl100k_base")
else:
encoding = tiktoken.get_encoding("cl100k_base")
# Just count the text tokens - don't include system/glossary here
# They are counted separately in _estimate_cost to avoid confusion
text_tokens = len(encoding.encode(text))
return text_tokens
except Exception as e:
# Fallback: estimate ~4 characters per token
return len(text) // 4
def _start_processing(self):
"""Start async processing"""
# Get model name - handle both tkinter and PySide6
if hasattr(self.gui.model_var, 'get'):
model = self.gui.model_var.get()
else:
model = str(self.gui.model_var) if self.gui.model_var else ""
if not self.processor.supports_async(model):
QMessageBox.critical(
self.dialog,
"Not Supported",
f"Model '{model}' does not support async processing.\n"
"Supported providers: Gemini, Anthropic, OpenAI, Mistral, Groq"
)
return
# Add special check for Gemini
if model.lower().startswith('gemini'):
reply = QMessageBox.question(
self.dialog,
"Gemini Batch API",
"Note: Gemini's batch API may not be publicly available yet.\n"
"This feature is experimental for Gemini models.\n\n"
"Would you like to try anyway?",
QMessageBox.Yes | QMessageBox.No
)
if reply != QMessageBox.Yes:
return
if not self.processor.supports_async(model):
QMessageBox.critical(
self.dialog,
"Not Supported",
f"Model '{model}' does not support async processing.\n"
"Supported providers: Gemini, Anthropic, OpenAI, Mistral, Groq"
)
return
if not hasattr(self.gui, 'file_path') or not self.gui.file_path:
QMessageBox.warning(self.dialog, "No File", "Please select a file to translate first")
return
# Confirm start
reply = QMessageBox.question(
self.dialog,
"Start Async Processing",
"Start async batch processing?\n\n"
"This will submit all chapters for processing at 50% discount.\n"
"Processing may take up to 24 hours.",
QMessageBox.Yes | QMessageBox.No
)
if reply != QMessageBox.Yes:
return
# Disable buttons during processing
self.start_button.setEnabled(False)
# Start processing in background thread
self.processing_thread = threading.Thread(
target=self._async_processing_worker,
daemon=True
)
self.processing_thread.start()
def _async_processing_worker(self):
"""Worker thread for async processing"""
try:
self._log("Starting async processing preparation...")
# Get all settings from GUI
file_path = self.gui.file_path
# Get model name - handle both tkinter and PySide6
if hasattr(self.gui.model_var, 'get'):
model = self.gui.model_var.get()
else:
model = str(self.gui.model_var) if self.gui.model_var else ""
# Get API key
api_key = self._get_api_key_from_gui()
if not api_key:
self._show_error("API key is required")
return
# Prepare environment variables like the main translation
env_vars = self._prepare_environment_variables()
# Extract chapters
self._log("Extracting chapters from file...")
chapters, chapter_mapping = self._extract_chapters_for_async(file_path, env_vars) # CHANGED: Now unpacking both values
if not chapters:
self._show_error("No chapters found in file")
return
self._log(f"Found {len(chapters)} chapters to process")
# Check for chapters that need chunking
chapters_to_process = []
skipped_count = 0
for chapter in chapters:
if chapter.get('needs_chunking', False):
skipped_count += 1
self._log(f"Skipping chapter {chapter['number']} - requires chunking")
else:
chapters_to_process.append(chapter)
if skipped_count > 0:
self._log(f"⚠️ Skipped {skipped_count} chapters that require chunking")
if not chapters_to_process:
self._show_error("All chapters require chunking. Async APIs don't support chunked chapters.")
# Re-enable button before returning
QTimer.singleShot(0, lambda: self.start_button.setEnabled(True))
return
# Prepare batch request
self._log("Preparing batch request...")
batch_data = self.processor.prepare_batch_request(chapters_to_process, model)
# Submit batch
self._log("Submitting batch to API...")
job = self._submit_batch_sync(batch_data, model, api_key)
# Save job with chapter mapping in metadata
job.metadata = job.metadata or {}
job.metadata['chapter_mapping'] = chapter_mapping # ADDED: Store mapping for later use
job.metadata['env'] = env_vars # preserve env to know extraction mode on save
job.metadata['source_file'] = file_path # ensure job remembers the originating input file
# Save job
self.processor.jobs[job.job_id] = job
self.processor._save_jobs()
# Update UI on the GUI thread using dialog affinity
QTimer.singleShot(0, self.dialog, self._refresh_jobs_list)
self._log(f"✅ Batch submitted successfully! Job ID: {job.job_id}")
# Show success message
self._show_info(
"Batch Submitted",
f"Successfully submitted {len(chapters_to_process)} chapters for async processing.\n\n"
f"Job ID: {job.job_id}\n\n"
"You can close this dialog and check back later for results.\n\n"
"Tip: Use the 'Estimate Cost Only' button to get accurate cost estimates before submitting."
)
# Run immediate cost estimate for the newly created job
# This populates the Cost Estimate column without waiting for user action
try:
# We need to run this on the main thread because it updates UI.
# Pass the dialog as the context so the callback is invoked on the GUI thread.
QTimer.singleShot(0, self.dialog, lambda: self._estimate_batch_cost())
except Exception as e:
print(f"Failed to auto-run cost estimate: {e}")
# Start polling if requested
if self.wait_for_completion_checkbox.isChecked():
self._start_polling(job.job_id)
except Exception as e:
self._log(f"❌ Error: {str(e)}")
print(f"Async processing error: {traceback.format_exc()}")
self._show_error(f"Failed to start async processing: {str(e)}")
# Re-enable button immediately on error
QTimer.singleShot(0, lambda: self.start_button.setEnabled(True))
finally:
# Only schedule re-enable if not already handled in exception block
# (Though redundant re-enables are harmless)
QTimer.singleShot(0, lambda: self.start_button.setEnabled(True))
def _prepare_environment_variables(self):
"""Prepare environment variables from GUI settings"""
def _val(obj, default=None):
try:
return obj.get()
except Exception:
return obj if obj is not None else default
def _text(widget, default=""):
if widget is None:
return default
if hasattr(widget, "text"):
return widget.text()
if hasattr(widget, "get"):
return widget.get()
return str(widget) if widget else default
env_vars = {}
# Core settings - handle both PySide6 and tkinter
if hasattr(self.gui.model_var, 'get'):
env_vars['MODEL'] = self.gui.model_var.get()
else:
env_vars['MODEL'] = str(self.gui.model_var) if self.gui.model_var else ""
if hasattr(self.gui.api_key_entry, 'get'):
env_vars['API_KEY'] = self.gui.api_key_entry.get().strip()
else:
env_vars['API_KEY'] = self.gui.api_key_entry.text().strip()
env_vars['OPENAI_API_KEY'] = env_vars['API_KEY']
env_vars['OPENAI_OR_Gemini_API_KEY'] = env_vars['API_KEY']
env_vars['GEMINI_API_KEY'] = env_vars['API_KEY']
if hasattr(self.gui.lang_var, 'get'):
env_vars['PROFILE_NAME'] = self.gui.lang_var.get().lower()
else:
env_vars['PROFILE_NAME'] = str(self.gui.lang_var).lower() if self.gui.lang_var else ""
if hasattr(self.gui.contextual_var, 'get'):
env_vars['CONTEXTUAL'] = '1' if self.gui.contextual_var.get() else '0'
else:
env_vars['CONTEXTUAL'] = '1' if self.gui.contextual_var else '0'
env_vars['MAX_OUTPUT_TOKENS'] = str(self.gui.max_output_tokens)
# Resolve target language for prompt substitution
target_lang = self.gui.config.get('output_language') or ''
if not target_lang and hasattr(self.gui, 'lang_var'):
try:
target_lang = self.gui.lang_var.get()
except Exception:
target_lang = str(self.gui.lang_var) if self.gui.lang_var else ''
target_lang = target_lang or 'English'
if hasattr(self.gui.prompt_text, 'get'):
system_prompt = self.gui.prompt_text.get("1.0", "end").strip()
else:
system_prompt = self.gui.prompt_text.toPlainText().strip()
env_vars['SYSTEM_PROMPT'] = system_prompt.replace('{target_lang}', target_lang).replace('{split_marker_instruction}', '')
# Async processing does not support request merging logic, so force it off
env_vars['REQUEST_MERGING_ENABLED'] = '0'
env_vars['TRANSLATION_TEMPERATURE'] = _text(getattr(self.gui, 'trans_temp', None), '0.3')
env_vars['TRANSLATION_HISTORY_LIMIT'] = _text(getattr(self.gui, 'trans_history', None), '8')
# Explicitly disable thought streaming for async jobs
env_vars['ENABLE_THOUGHTS'] = '0'
# API settings - handle both PySide6 and tkinter
if hasattr(self.gui.delay_entry, 'get'):
env_vars['SEND_INTERVAL_SECONDS'] = str(self.gui.delay_entry.get())
else:
env_vars['SEND_INTERVAL_SECONDS'] = str(self.gui.delay_entry.text() if hasattr(self.gui.delay_entry, 'text') else '2')
# Token limit resolution order:
# 0) if token_limit_disabled -> unlimited (0)
# 1) token_limit_entry if provided by user
# 2) GUI max_output_tokens / env_vars['MAX_OUTPUT_TOKENS'] (default 65536)
# 3) config token_limit
# 4) hard default 65536
if hasattr(self.gui, 'token_limit_entry'):
raw_limit = _text(self.gui.token_limit_entry, '').strip()
else:
raw_limit = ''
token_limit_disabled = False
try:
token_limit_disabled = bool(getattr(self.gui, 'token_limit_disabled', False))
except Exception:
pass
token_limit_disabled = token_limit_disabled or bool(self.gui.config.get('token_limit_disabled', False))
if token_limit_disabled:
resolved_token_limit = 0 # unlimited
source = "disabled (unlimited)"
elif raw_limit:
resolved_token_limit = int(raw_limit) if str(raw_limit).lstrip('+-').isdigit() else 65536
source = "token_limit_entry"
else:
try:
gui_max = int(env_vars.get('MAX_OUTPUT_TOKENS', 0))
except Exception:
gui_max = 0
if gui_max > 0:
resolved_token_limit = gui_max
source = "max_output_tokens"
else:
cfg_limit = self.gui.config.get('token_limit')
resolved_token_limit = int(cfg_limit) if cfg_limit else 65536
source = "config_token_limit" if cfg_limit else "hard_default"
env_vars['TOKEN_LIMIT'] = str(resolved_token_limit)
env_vars['TOKEN_LIMIT_SOURCE'] = source
logger.info(f"[ASYNC] TOKEN_LIMIT={env_vars['TOKEN_LIMIT']} (source={source}, raw_field='{raw_limit}', max_output_tokens={getattr(self.gui, 'max_output_tokens', None)}, config_token_limit={self.gui.config.get('token_limit')}, token_limit_disabled={token_limit_disabled})")
# Book title translation - replace {target_lang} with output language
env_vars['TRANSLATE_BOOK_TITLE'] = "1" if _val(self.gui.translate_book_title_var, False) else "0"
output_lang = self.gui.config.get('output_language', 'English')
book_title_prompt = self.gui.book_title_prompt if hasattr(self.gui, 'book_title_prompt') else ''
book_title_system_prompt = self.gui.config.get('book_title_system_prompt',
"You are a translator. Respond with only the translated text, nothing else. Do not add any explanation or additional content.")
env_vars['BOOK_TITLE_PROMPT'] = book_title_prompt.replace('{target_lang}', output_lang)
env_vars['BOOK_TITLE_SYSTEM_PROMPT'] = book_title_system_prompt.replace('{target_lang}', output_lang)
# Processing options
env_vars['CHAPTER_RANGE'] = _text(getattr(self.gui, 'chapter_range_entry', None), '').strip()
env_vars['REMOVE_AI_ARTIFACTS'] = "1" if _val(self.gui.REMOVE_AI_ARTIFACTS_var, False) else "0"
env_vars['BATCH_TRANSLATION'] = "1" if _val(self.gui.batch_translation_var, False) else "0"
env_vars['BATCH_SIZE'] = _val(self.gui.batch_size_var, 1)
env_vars['BATCHING_MODE'] = str(_val(getattr(self.gui, 'batch_mode_var', 'direct'), 'direct'))
env_vars['BATCH_GROUP_SIZE'] = str(_val(getattr(self.gui, 'batch_group_size_var', 3), 3))
# Backward compatibility for downstream components expecting CONSERVATIVE_BATCHING
env_vars['CONSERVATIVE_BATCHING'] = "1" if env_vars['BATCHING_MODE'] == 'conservative' else "0"
# Anti-duplicate parameters
env_vars['ENABLE_ANTI_DUPLICATE'] = '1' if hasattr(self.gui, 'enable_anti_duplicate_var') and _val(self.gui.enable_anti_duplicate_var, False) else '0'
env_vars['TOP_P'] = str(_val(self.gui.top_p_var, 1.0)) if hasattr(self.gui, 'top_p_var') else '1.0'
env_vars['TOP_K'] = str(_val(self.gui.top_k_var, 0)) if hasattr(self.gui, 'top_k_var') else '0'
env_vars['FREQUENCY_PENALTY'] = str(_val(self.gui.frequency_penalty_var, 0.0)) if hasattr(self.gui, 'frequency_penalty_var') else '0.0'
env_vars['PRESENCE_PENALTY'] = str(_val(self.gui.presence_penalty_var, 0.0)) if hasattr(self.gui, 'presence_penalty_var') else '0.0'
env_vars['REPETITION_PENALTY'] = str(_val(self.gui.repetition_penalty_var, 1.0)) if hasattr(self.gui, 'repetition_penalty_var') else '1.0'
env_vars['CANDIDATE_COUNT'] = str(_val(self.gui.candidate_count_var, 1)) if hasattr(self.gui, 'candidate_count_var') else '1'
env_vars['CUSTOM_STOP_SEQUENCES'] = _val(self.gui.custom_stop_sequences_var, '') if hasattr(self.gui, 'custom_stop_sequences_var') else ''
env_vars['LOGIT_BIAS_ENABLED'] = '1' if hasattr(self.gui, 'logit_bias_enabled_var') and _val(self.gui.logit_bias_enabled_var, False) else '0'
env_vars['LOGIT_BIAS_STRENGTH'] = str(_val(self.gui.logit_bias_strength_var, -0.5)) if hasattr(self.gui, 'logit_bias_strength_var') else '-0.5'
env_vars['BIAS_COMMON_WORDS'] = '1' if hasattr(self.gui, 'bias_common_words_var') and _val(self.gui.bias_common_words_var, False) else '0'
env_vars['BIAS_REPETITIVE_PHRASES'] = '1' if hasattr(self.gui, 'bias_repetitive_phrases_var') and _val(self.gui.bias_repetitive_phrases_var, False) else '0'
# Glossary settings
env_vars['MANUAL_GLOSSARY'] = self.gui.manual_glossary_path if hasattr(self.gui, 'manual_glossary_path') and self.gui.manual_glossary_path else ''
env_vars['DISABLE_AUTO_GLOSSARY'] = "0" if _val(self.gui.enable_auto_glossary_var, False) else "1"
env_vars['DISABLE_GLOSSARY_TRANSLATION'] = "0" if _val(self.gui.enable_auto_glossary_var, False) else "1"
env_vars['APPEND_GLOSSARY'] = "1" if _val(self.gui.append_glossary_var, False) else "0"
env_vars['APPEND_GLOSSARY_PROMPT'] = self.gui.append_glossary_prompt if hasattr(self.gui, 'append_glossary_prompt') else ''
env_vars['GLOSSARY_MIN_FREQUENCY'] = _val(self.gui.glossary_min_frequency_var, 0)
env_vars['GLOSSARY_MAX_NAMES'] = _val(self.gui.glossary_max_names_var, 0)
env_vars['GLOSSARY_MAX_TITLES'] = _val(self.gui.glossary_max_titles_var, 0)
env_vars['GLOSSARY_BATCH_SIZE'] = _val(getattr(self.gui, 'glossary_batch_size_var', None), 0)
env_vars['GLOSSARY_DUPLICATE_KEY_MODE'] = self.gui.config.get('glossary_duplicate_key_mode', 'auto')
env_vars['GLOSSARY_DUPLICATE_CUSTOM_FIELD'] = self.gui.config.get('glossary_duplicate_custom_field', '')
# Compress glossary toggle (was missing, so async path wasn't compressing)
if hasattr(self.gui, 'compress_glossary_prompt_var'):
env_vars['COMPRESS_GLOSSARY_PROMPT'] = "1" if _val(self.gui.compress_glossary_prompt_var, False) else "0"
else:
env_vars['COMPRESS_GLOSSARY_PROMPT'] = "1" if self.gui.config.get('compress_glossary_prompt', False) else "0"
# History and summary settings
env_vars['TRANSLATION_HISTORY_ROLLING'] = "1" if _val(self.gui.translation_history_rolling_var, False) else "0"
env_vars['USE_ROLLING_SUMMARY'] = "1" if self.gui.config.get('use_rolling_summary') else "0"
env_vars['SUMMARY_ROLE'] = self.gui.config.get('summary_role', 'system')
env_vars['ROLLING_SUMMARY_EXCHANGES'] = _val(self.gui.rolling_summary_exchanges_var, 0)
env_vars['ROLLING_SUMMARY_MODE'] = _val(self.gui.rolling_summary_mode_var, '')
env_vars['ROLLING_SUMMARY_SYSTEM_PROMPT'] = self.gui.rolling_summary_system_prompt if hasattr(self.gui, 'rolling_summary_system_prompt') else ''
env_vars['ROLLING_SUMMARY_USER_PROMPT'] = self.gui.rolling_summary_user_prompt if hasattr(self.gui, 'rolling_summary_user_prompt') else ''
env_vars['ROLLING_SUMMARY_MAX_ENTRIES'] = _val(self.gui.rolling_summary_max_entries_var, '10') if hasattr(self.gui, 'rolling_summary_max_entries_var') else '10'
env_vars['ROLLING_SUMMARY_MAX_TOKENS'] = _val(self.gui.rolling_summary_max_tokens_var, '-1') if hasattr(self.gui, 'rolling_summary_max_tokens_var') else '-1'
# Retry and error handling settings
env_vars['EMERGENCY_PARAGRAPH_RESTORE'] = "1" if _val(self.gui.emergency_restore_var, False) else "0"
env_vars['RETRY_TRUNCATED'] = "1" if _val(self.gui.retry_truncated_var, False) else "0"
try:
_raw_retry_tokens = self.gui.max_retry_tokens_var.get()
_resolved_retry_tokens = int(_raw_retry_tokens)
except Exception:
_resolved_retry_tokens = int(getattr(self.gui, 'max_output_tokens', 65536))
try:
if _resolved_retry_tokens <= 0:
_resolved_retry_tokens = int(getattr(self.gui, 'max_output_tokens', 65536))
except Exception:
_resolved_retry_tokens = int(getattr(self.gui, 'max_output_tokens', 65536))
env_vars['MAX_RETRY_TOKENS'] = str(_resolved_retry_tokens)
# Truncation and silent-truncation retries
env_vars['TRUNCATION_RETRY_ATTEMPTS'] = str(_val(getattr(self.gui, 'truncation_retry_attempts_var', '1'), '1'))
env_vars['CHAR_RATIO_TRUNCATION_ENABLED'] = "1" if _val(getattr(self.gui, 'char_ratio_truncation_var', True), True) else "0"
env_vars['CHAR_RATIO_TRUNCATION_PERCENT'] = str(_val(getattr(self.gui, 'char_ratio_truncation_percent_var', '50'), '50'))
env_vars['CHAR_RATIO_TRUNCATION_ATTEMPTS'] = str(_val(getattr(self.gui, 'char_ratio_truncation_attempts_var', '1'), '1'))
env_vars['CHAR_RATIO_MIN_OUTPUT_CHARS'] = str(_val(getattr(self.gui, 'char_ratio_min_output_chars_var', '100'), '100'))
env_vars['RETRY_DUPLICATE_BODIES'] = "1" if _val(self.gui.retry_duplicate_var, False) else "0"
env_vars['RETRY_TIMEOUT'] = "1" if _val(self.gui.retry_timeout_var, False) else "0"
env_vars['CHUNK_TIMEOUT'] = _val(self.gui.chunk_timeout_var, '')
# Image processing
env_vars['ENABLE_IMAGE_TRANSLATION'] = "1" if _val(self.gui.enable_image_translation_var, False) else "0"
env_vars['PROCESS_WEBNOVEL_IMAGES'] = "1" if _val(self.gui.process_webnovel_images_var, False) else "0"
env_vars['WEBNOVEL_MIN_HEIGHT'] = _val(self.gui.webnovel_min_height_var, 0)
env_vars['MAX_IMAGES_PER_CHAPTER'] = _val(self.gui.max_images_per_chapter_var, 0)
env_vars['IMAGE_API_DELAY'] = '1.0'
env_vars['SAVE_IMAGE_TRANSLATIONS'] = '1'
env_vars['IMAGE_CHUNK_HEIGHT'] = _val(self.gui.image_chunk_height_var, 0)
env_vars['HIDE_IMAGE_TRANSLATION_LABEL'] = "1" if _val(self.gui.hide_image_translation_label_var, False) else "0"
# Advanced settings
env_vars['REINFORCEMENT_FREQUENCY'] = _val(self.gui.reinforcement_freq_var, 0)
env_vars['RESET_FAILED_CHAPTERS'] = "1" if _val(getattr(self.gui, 'reset_failed_chapters_var', None), False) else "0"
env_vars['DUPLICATE_LOOKBACK_CHAPTERS'] = _val(self.gui.duplicate_lookback_var, 0)
env_vars['DUPLICATE_DETECTION_MODE'] = _val(self.gui.duplicate_detection_mode_var, '')
env_vars['CHAPTER_NUMBER_OFFSET'] = str(_val(self.gui.chapter_number_offset_var, 0))
env_vars['COMPRESSION_FACTOR'] = _val(self.gui.compression_factor_var, 0)
extraction_mode = _val(self.gui.extraction_mode_var, 'smart') if hasattr(self.gui, 'extraction_mode_var') else 'smart'
env_vars['COMPREHENSIVE_EXTRACTION'] = "1" if extraction_mode in ['comprehensive', 'full'] else "0"
env_vars['EXTRACTION_MODE'] = extraction_mode
env_vars['DISABLE_ZERO_DETECTION'] = "1" if _val(self.gui.disable_zero_detection_var, False) else "0"
env_vars['USE_HEADER_AS_OUTPUT'] = "1" if _val(self.gui.use_header_as_output_var, False) else "0"
env_vars['ENABLE_DECIMAL_CHAPTERS'] = "1" if _val(self.gui.enable_decimal_chapters_var, False) else "0"
env_vars['ENABLE_WATERMARK_REMOVAL'] = "1" if _val(self.gui.enable_watermark_removal_var, False) else "0"
env_vars['ADVANCED_WATERMARK_REMOVAL'] = "1" if _val(self.gui.advanced_watermark_removal_var, False) else "0"
env_vars['SAVE_CLEANED_IMAGES'] = "1" if _val(self.gui.save_cleaned_images_var, False) else "0"
# EPUB specific settings
env_vars['DISABLE_EPUB_GALLERY'] = "1" if _val(self.gui.disable_epub_gallery_var, False) else "0"
env_vars['FORCE_NCX_ONLY'] = '1' if _val(self.gui.force_ncx_only_var, False) else '0'
# Special handling for Gemini safety filters
env_vars['DISABLE_GEMINI_SAFETY'] = str(self.gui.config.get('disable_gemini_safety', False)).lower()
# AI Hunter settings (if enabled)
if 'ai_hunter_config' in self.gui.config:
env_vars['AI_HUNTER_CONFIG'] = json.dumps(self.gui.config['ai_hunter_config'])
# Output settings
env_vars['EPUB_OUTPUT_DIR'] = os.getcwd()
output_path = self.gui.output_entry.get().strip() if hasattr(self.gui, 'output_entry') else ''
if output_path:
env_vars['OUTPUT_DIR'] = output_path
# File path (needed by some modules)
env_vars['EPUB_PATH'] = self.gui.file_path
return env_vars
def _safe_int(self, value, default: int, allow_zero: bool = False) -> int:
"""Safely parse int, falling back to default on errors/blank.
If allow_zero is True, 0 is treated as valid."""
try:
if value is None:
return default
if isinstance(value, (int, float)):
iv = int(value)
else:
txt = str(value).strip().replace(',', '')
iv = int(txt) if txt else default
if iv > 0:
return iv
if allow_zero and iv == 0:
return 0
return default
except Exception:
return default
def _extract_chapters_for_async(self, file_path, env_vars):
"""Extract chapters and prepare them for async processing"""
chapters = []
original_basename = None
chapter_mapping = {} # Map custom_id to chapter info
# Respect GUI extraction mode/radio
extraction_method = env_vars.get('TEXT_EXTRACTION_METHOD', env_vars.get('EXTRACTION_MODE', 'standard')).lower()
enhanced_filtering = env_vars.get('ENHANCED_FILTERING', 'smart')
preserve_structure = env_vars.get('ENHANCED_PRESERVE_STRUCTURE', True)
use_html2text = extraction_method in ['enhanced', 'html2text', 'markdown']
extractor = None
if use_html2text:
try:
from enhanced_text_extractor import EnhancedTextExtractor
extractor = EnhancedTextExtractor(filtering_mode=enhanced_filtering, preserve_structure=preserve_structure)
except Exception as e:
print(f"⚠️ Falling back to BeautifulSoup extraction; failed to init EnhancedTextExtractor: {e}")
use_html2text = False
try:
if file_path.lower().endswith('.epub'):
# Use direct ZIP reading to avoid ebooklib's manifest validation
import zipfile
from bs4 import BeautifulSoup
opf_spine_map = self._get_opf_spine_map(file_path)
raw_chapters = []
try:
with zipfile.ZipFile(file_path, 'r') as zf:
# Get all HTML/XHTML files
html_files = [f for f in zf.namelist() if f.endswith(('.html', '.xhtml', '.htm')) and not f.startswith('__MACOSX')]
# Order by OPF spine if available, otherwise fallback to name sort
if opf_spine_map:
html_files.sort(key=lambda f: opf_spine_map.get(f) or opf_spine_map.get(os.path.basename(f)) or opf_spine_map.get(os.path.splitext(os.path.basename(f))[0]) or float('inf'))
else:
html_files.sort()
for idx, html_file in enumerate(html_files):
try:
content = zf.read(html_file)
soup = BeautifulSoup(content, 'html.parser')
# Keep full HTML (including images and links) for translation unless user chose html2text
chapter_html = str(soup)
chapter_text = soup.get_text(separator='\n').strip()
spine_pos = None
if opf_spine_map:
spine_pos = (
opf_spine_map.get(html_file)
or opf_spine_map.get(os.path.basename(html_file))
or opf_spine_map.get(os.path.splitext(os.path.basename(html_file))[0])
)
chapter_num = (spine_pos + 1) if spine_pos is not None else (idx + 1)
# Try to extract chapter number from content
for element in soup.find_all(['h1', 'h2', 'h3', 'title']):
text = element.get_text().strip()
match = re.search(r'chapter\\s*(\\d+)', text, re.IGNORECASE)
if match:
chapter_num = int(match.group(1))
break
# Apply extraction mode
if use_html2text and extractor:
try:
cleaned_text, _, _ = extractor.extract_chapter_content(chapter_html, extraction_mode=extraction_method)
chapter_payload = cleaned_text
except Exception as e:
print(f"⚠️ html2text extraction failed, using HTML: {e}")
chapter_payload = chapter_html
else:
chapter_payload = chapter_html
raw_chapters.append((chapter_num, chapter_payload, html_file, spine_pos))
except Exception as e:
print(f"Error reading {html_file}: {e}")
continue
except Exception as e:
print(f"Failed to read EPUB as ZIP: {e}")
raise ValueError(f"Cannot read EPUB file: {str(e)}")
elif file_path.lower().endswith('.txt'):
# Import TXT processing
from txt_processor import TextFileProcessor
processor = TextFileProcessor(file_path, '')
txt_chapters = processor.extract_chapters()
raw_chapters = [(i+1, text, f"section_{i+1:04d}.txt") for i, text in enumerate(txt_chapters)]
else:
raise ValueError(f"Unsupported file type: {file_path}")
if not raw_chapters:
raise ValueError("No valid chapters found in file")
# Reorder chapters using OPF spine if available
if file_path.lower().endswith('.epub') and 'opf_spine_map' in locals() and opf_spine_map:
raw_chapters.sort(
key=lambda ch: (
ch[3] if ch[3] is not None else float("inf"),
ch[0]
)
)
else:
raw_chapters.sort(key=lambda ch: ch[0])
# Process each chapter to prepare for API
# Initialize splitter once
splitter = None
for idx, (chapter_num, content, original_filename, spine_pos) in enumerate(raw_chapters):
# Count tokens (content only)
token_count = self.count_tokens(content, env_vars['MODEL'])
ordered_num = (spine_pos + 1) if spine_pos is not None else chapter_num
# Determine output token limit (use MAX_OUTPUT_TOKENS; allow zero = unlimited)
output_limit = self._safe_int(env_vars.get('MAX_OUTPUT_TOKENS', '65536'), 65536, allow_zero=True)
# Estimate overhead (system prompt + optional glossary if appended)
overhead_tokens = 0
try:
overhead_tokens += self.count_tokens(env_vars.get('SYSTEM_PROMPT', ''), env_vars['MODEL'])
except Exception:
pass
if env_vars.get('MANUAL_GLOSSARY') and env_vars.get('APPEND_GLOSSARY') == '1':
try:
with open(env_vars['MANUAL_GLOSSARY'], 'r', encoding='utf-8') as f:
glossary_preview = f.read(40000) # cap read for speed
overhead_tokens += self.count_tokens(glossary_preview, env_vars['MODEL'])
except Exception:
pass
if output_limit == 0:
# Unlimited: never mark for chunking
effective_limit = float('inf')
threshold = float('inf')
needs_chunking = False
else:
# Allow for request envelope (~2k) and overhead
effective_limit = max(0, output_limit - overhead_tokens - 2000)
threshold = max(effective_limit, int(output_limit * 0.8))
needs_chunking = token_count > threshold
# Always log the decision so users can see why a chapter is (or isn't) skipped
safe_name = os.path.basename(original_filename) if original_filename else "<unknown>"
self._log(
f"[ASYNC] Chapter {ordered_num} ({safe_name}): content_tokens={token_count}, "
f"overhead≈{overhead_tokens}, token_limit={output_limit}, "
f"threshold={threshold}, needs_chunking={needs_chunking}")
# If chunking needed, split instead of skipping
if needs_chunking and output_limit != float('inf'):
try:
compression_factor = float(env_vars.get('COMPRESSION_FACTOR', 1.0) or 1.0)
if splitter is None:
chunk_target = max(1024, int(output_limit / compression_factor))
splitter = ChapterSplitter(model_name=env_vars.get('MODEL', 'gpt-4'), target_tokens=chunk_target, compression_factor=compression_factor)
chunk_target = max(1024, int(output_limit / compression_factor))
chunk_list = splitter.split_chapter(content, max_tokens=chunk_target, filename=original_filename)
total_chunks = len(chunk_list)
base_slug = Path(original_filename).stem if original_filename else f"ch{ordered_num}"
for ci, (chunk_html, chunk_idx, total) in enumerate(chunk_list, start=1):
part_custom_id = f"{ordered_num:04d}_{base_slug}_part{chunk_idx}"
messages = self._prepare_chapter_messages(chunk_html, env_vars)
chapter_data = {
'id': part_custom_id,
'number': ordered_num + ci * 0.001, # slight offset to preserve order
'detected_number': chapter_num,
'content': chunk_html,
'messages': messages,
'temperature': float(env_vars.get('TRANSLATION_TEMPERATURE', '0.3')),
'max_tokens': int(env_vars['MAX_OUTPUT_TOKENS']),
'needs_chunking': False,
'token_count': self.count_tokens(chunk_html, env_vars['MODEL']),
'original_basename': original_filename,
'original_filename': original_filename,
'extraction_method': extraction_method,
'opf_spine_position': spine_pos,
'chunk_index': chunk_idx,
'chunk_total': total
}
chapters.append(chapter_data)
chapter_mapping[part_custom_id] = {
'original_filename': original_filename,
'chapter_num': ordered_num,
'extraction_method': extraction_method,
'preserve_structure': preserve_structure,
'opf_spine_position': spine_pos,
'detected_chapter_num': chapter_num,
'chunk_index': chunk_idx,
'chunk_total': total
}
continue # handled splitting; skip default add
except Exception as split_err:
self._log(f"[ASYNC] Chunk splitting failed for chapter {ordered_num}: {split_err}", level="warning")
# fall through to add original as-is (will be marked needs_chunking)
# Prepare messages format
messages = self._prepare_chapter_messages(content, env_vars)
# Use ordered number (spine-aware) for the custom id to keep IDs unique and aligned with spine order
base_slug = Path(original_filename).stem if original_filename else f"ch{ordered_num}"
custom_id = f"{ordered_num:04d}_{base_slug}"
chapter_data = {
'id': custom_id,
'number': ordered_num,
'detected_number': chapter_num,
'content': content,
'messages': messages,
'temperature': float(env_vars.get('TRANSLATION_TEMPERATURE', '0.3')),
'max_tokens': int(env_vars['MAX_OUTPUT_TOKENS']),
'needs_chunking': needs_chunking,
'token_count': token_count,
'original_basename': original_filename, # Use original_filename instead of undefined original_basename
'original_filename': original_filename, # preserve full original filename for saving
'extraction_method': extraction_method,
'opf_spine_position': spine_pos
}
chapters.append(chapter_data)
# Store mapping
chapter_mapping[custom_id] = {
'original_filename': original_filename,
'chapter_num': ordered_num,
'extraction_method': extraction_method,
'preserve_structure': preserve_structure,
'opf_spine_position': spine_pos,
'detected_chapter_num': chapter_num
}
except Exception as e:
print(f"Failed to extract chapters: {e}")
raise
# Return both chapters and mapping
return chapters, chapter_mapping
def _delete_selected_job(self):
"""Delete selected job from the list"""
job_ids = self._get_selected_job_ids()
if not job_ids:
QMessageBox.warning(self.dialog, "No Selection", "Please select one or more jobs to delete")
return
reply = QMessageBox.question(
self.dialog,
"Confirm Delete",
f"Delete {len(job_ids)} selected job(s) from the local list?\n\n"
"Note: This does not stop running jobs on the provider.",
QMessageBox.Yes | QMessageBox.No
)
if reply != QMessageBox.Yes:
return
for jid in job_ids:
if jid in self.processor.jobs:
del self.processor.jobs[jid]
self.processor._save_jobs()
self.selected_job_id = None
self._refresh_jobs_list()
QMessageBox.information(self.dialog, "Job Deleted", f"Removed {len(job_ids)} job(s) from the local list.")
def _clear_completed_jobs(self):
"""Clear all completed/failed/cancelled jobs"""
# Get list of jobs to remove
jobs_to_remove = []
for job_id, job in self.processor.jobs.items():
if job.status in [AsyncAPIStatus.COMPLETED, AsyncAPIStatus.FAILED,
AsyncAPIStatus.CANCELLED, AsyncAPIStatus.EXPIRED]:
jobs_to_remove.append(job_id)
if not jobs_to_remove:
QMessageBox.information(self.dialog, "No Jobs to Clear", "No completed/failed/cancelled jobs to clear.")
return
# Confirm
reply = QMessageBox.question(
self.dialog,
"Clear Completed Jobs",
f"Remove {len(jobs_to_remove)} completed/failed/cancelled jobs from the list?\n\n"
"This will not affect any running jobs.",
QMessageBox.Yes | QMessageBox.No
)
if reply == QMessageBox.Yes:
# Remove jobs
for job_id in jobs_to_remove:
del self.processor.jobs[job_id]
# Save
self.processor._save_jobs()
# Refresh
self._refresh_jobs_list()
QMessageBox.information(self.dialog, "Jobs Cleared", f"Removed {len(jobs_to_remove)} jobs from the list.")
def _prepare_chapter_messages(self, content, env_vars):
"""Prepare messages array for a chapter"""
messages = []
# System prompt
system_prompt = env_vars.get('SYSTEM_PROMPT', '')
# DEBUG: Log what we're sending
logger.info(f"Model: {env_vars.get('MODEL')}")
logger.info(f"System prompt length: {len(system_prompt)}")
logger.info(f"Content length: {len(content)}")
# Log the system prompt (first 200 chars)
logger.info(f"Using system prompt: {system_prompt[:200]}...")
# Add glossary if enabled
if (env_vars.get('MANUAL_GLOSSARY') and
env_vars.get('APPEND_GLOSSARY') == '1' and
env_vars.get('DISABLE_GLOSSARY_TRANSLATION') != '1'):
try:
glossary_path = env_vars['MANUAL_GLOSSARY']
with open(glossary_path, 'r', encoding='utf-8') as f:
glossary_data = json.load(f)
# TRUE BRUTE FORCE: Just dump the entire JSON
glossary_text = json.dumps(glossary_data, ensure_ascii=False, indent=2)
original_glossary_text = glossary_text # Store for compression stats
# Apply glossary compression if enabled
compress_glossary_enabled = env_vars.get('COMPRESS_GLOSSARY_PROMPT') == '1'
if compress_glossary_enabled and content:
try:
from glossary_compressor import compress_glossary
original_length = len(glossary_text)
glossary_text = compress_glossary(glossary_text, content, glossary_format='auto')
compressed_length = len(glossary_text)
reduction_pct = ((original_length - compressed_length) / original_length * 100) if original_length > 0 else 0
# Calculate token savings if tiktoken is available
try:
import tiktoken
try:
enc = tiktoken.encoding_for_model(env_vars.get('MODEL', 'gpt-4'))
except:
enc = tiktoken.get_encoding('cl100k_base')
original_tokens = len(enc.encode(original_glossary_text))
compressed_tokens = len(enc.encode(glossary_text))
token_reduction_pct = ((original_tokens - compressed_tokens) / original_tokens * 100) if original_tokens > 0 else 0
logger.info(f"🗜️ Glossary: {original_length}{compressed_length} chars ({reduction_pct:.1f}%), {original_tokens}{compressed_tokens} tokens ({token_reduction_pct:.1f}%)")
except ImportError:
logger.info(f"🗜️ Glossary compressed: {original_length}{compressed_length} chars ({reduction_pct:.1f}% reduction)")
except Exception as e:
logger.warning(f"⚠️ Glossary compression failed: {e}")
# Use the append prompt format if provided
append_prompt = env_vars.get('APPEND_GLOSSARY_PROMPT', '')
if append_prompt:
# Replace placeholder with actual glossary
if '{glossary}' in append_prompt:
glossary_section = append_prompt.replace('{glossary}', glossary_text)
else:
glossary_section = f"{append_prompt}\n{glossary_text}"
system_prompt = f"{system_prompt}\n\n{glossary_section}"
else:
# Default format
system_prompt = f"{system_prompt}\n\nGlossary:\n{glossary_text}"
logger.info(f"✅ Glossary appended ({len(glossary_text)} characters)")
# Log preview for debugging
if len(glossary_text) > 200:
logger.info(f"Glossary preview: {glossary_text[:200]}...")
else:
logger.info(f"Glossary: {glossary_text}")
except FileNotFoundError:
print(f"Glossary file not found: {env_vars.get('MANUAL_GLOSSARY')}")
except json.JSONDecodeError:
print(f"Invalid JSON in glossary file")
except Exception as e:
print(f"Failed to load glossary: {e}")
else:
# Log why glossary wasn't added
if not env_vars.get('MANUAL_GLOSSARY'):
logger.info("No glossary path specified")
elif env_vars.get('APPEND_GLOSSARY') != '1':
logger.info("Glossary append is disabled")
elif env_vars.get('DISABLE_GLOSSARY_TRANSLATION') == '1':
logger.info("Glossary translation is disabled")
messages.append({
'role': 'system',
'content': system_prompt
})
# Add context if enabled
if env_vars.get('CONTEXTUAL') == '1':
# This would need to load context from history
# For async, we might need to pre-generate context
logger.info("Note: Contextual mode enabled but not implemented for async yet")
# User message with chapter content
messages.append({
'role': 'user',
'content': content
})
return messages
def _submit_batch_sync(self, batch_data, model, api_key):
"""Submit batch synchronously (wrapper for async method)"""
provider = self.processor.get_provider_from_model(model)
if provider == 'openai':
return self.processor._submit_openai_batch_sync(batch_data, model, api_key)
elif provider == 'anthropic':
return self.processor._submit_anthropic_batch_sync(batch_data, model, api_key)
elif provider == 'gemini':
return self._submit_gemini_batch_sync(batch_data, model, api_key)
elif provider == 'mistral':
return self._submit_mistral_batch_sync(batch_data, model, api_key)
elif provider == 'groq':
return self._submit_groq_batch_sync(batch_data, model, api_key)
else:
raise ValueError(f"Unsupported provider: {provider}")
def _submit_gemini_batch_sync(self, batch_data, model, api_key):
"""Submit Gemini batch using the official Batch Mode API"""
try:
# Use the new Google Gen AI SDK
from google import genai
from google.genai import types
# Configure client with API key
client = genai.Client(api_key=api_key)
# Log for debugging
logger.info(f"Submitting Gemini batch with model: {model}")
logger.info(f"Number of requests: {len(batch_data['requests'])}")
# Create JSONL file for batch requests
import tempfile
with tempfile.NamedTemporaryFile(mode='w', suffix='.jsonl', delete=False, encoding='utf-8') as f:
for request in batch_data['requests']:
# Format for Gemini batch API
gen_cfg = request['generateContentRequest'].get('generationConfig', {}).copy()
# Google Batch API rejects unknown fields; remove 'thinking' (only realtime API supports it)
gen_cfg.pop('thinking', None)
batch_line = {
"key": request['custom_id'],
"request": {
"contents": request['generateContentRequest']['contents'],
"generation_config": gen_cfg
}
}
# Add safety settings if present
if 'safetySettings' in request['generateContentRequest']:
batch_line['request']['safety_settings'] = request['generateContentRequest']['safetySettings']
f.write(json.dumps(batch_line) + '\n')
batch_file_path = f.name
# Upload the batch file with explicit mime type
logger.info("Uploading batch file...")
# Use the upload config to specify mime type
upload_config = types.UploadFileConfig(
mime_type='application/jsonl', # Explicit JSONL mime type
display_name=f"batch_requests_{datetime.now().strftime('%Y%m%d_%H%M%S')}.jsonl"
)
uploaded_file = client.files.upload(
file=batch_file_path,
config=upload_config
)
logger.info(f"File uploaded: {uploaded_file.name}")
# Create batch job
batch_job = client.batches.create(
model=model,
src=uploaded_file.name,
config={
'display_name': f"glossarion_batch_{datetime.now().strftime('%Y%m%d_%H%M%S')}"
}
)
logger.info(f"Gemini batch job created: {batch_job.name}")
# Clean up temp file
os.unlink(batch_file_path)
# Calculate cost estimate
total_tokens = sum(r.get('token_count', 15000) for r in batch_data['requests'])
async_cost, _ = self.processor.estimate_cost(
len(batch_data['requests']),
total_tokens // len(batch_data['requests']),
model
)
# Create job info
job = AsyncJobInfo(
job_id=batch_job.name,
provider='gemini',
model=model,
status=AsyncAPIStatus.PENDING,
created_at=datetime.now(),
updated_at=datetime.now(),
total_requests=len(batch_data['requests']),
cost_estimate=0.0, # No estimate initially
metadata={
'batch_info': {
'name': batch_job.name,
'state': batch_job.state.name if hasattr(batch_job, 'state') else 'PENDING',
'src_file': uploaded_file.name
},
'source_file': self.gui.file_path # Add this to track which file this job is for
}
)
return job
except ImportError:
print("Google Gen AI SDK not installed. Run: pip install google-genai")
raise Exception("Google Gen AI SDK not installed. Please run: pip install google-genai")
except Exception as e:
print(f"Gemini batch submission failed: {e}")
print(f"Full error: {traceback.format_exc()}")
raise
def _submit_mistral_batch_sync(self, batch_data, model, api_key):
"""Submit Mistral batch (synchronous version)"""
try:
headers = {
'Authorization': f'Bearer {api_key}',
'Content-Type': 'application/json'
}
response = requests.post(
'https://api.mistral.ai/v1/batch/jobs',
headers=headers,
json=batch_data
)
if response.status_code != 200:
raise Exception(f"Batch creation failed: {response.text}")
batch_info = response.json()
# Calculate cost estimate
total_tokens = sum(r.get('token_count', 15000) for r in batch_data['requests'])
async_cost, _ = self.processor.estimate_cost(
len(batch_data['requests']),
total_tokens // len(batch_data['requests']),
model
)
job = AsyncJobInfo(
job_id=batch_info['id'],
provider='mistral',
model=model,
status=AsyncAPIStatus.PENDING,
created_at=datetime.now(),
updated_at=datetime.now(),
total_requests=len(batch_data['requests']),
cost_estimate=async_cost,
metadata={'batch_info': batch_info}
)
return job
except Exception as e:
print(f"Mistral batch submission failed: {e}")
raise
def _submit_groq_batch_sync(self, batch_data, model, api_key):
"""Submit Groq batch (synchronous version)"""
# Groq uses OpenAI-compatible format
return self.processor._submit_openai_batch_sync(batch_data, model, api_key)
def _start_polling(self, job_id):
"""Start polling for job completion with progress updates"""
def poll():
try:
job = self.processor.check_job_status(job_id)
self._refresh_jobs_list()
# Update progress message
if job.total_requests > 0:
progress_pct = int((job.completed_requests / job.total_requests) * 100)
self._log(f"Progress: {progress_pct}% ({job.completed_requests}/{job.total_requests} chapters)")
if job.status == AsyncAPIStatus.COMPLETED:
self._log(f"✅ Job {job_id} completed!")
self._handle_completed_job(job_id)
elif job.status in [AsyncAPIStatus.FAILED, AsyncAPIStatus.CANCELLED]:
self._log(f"❌ Job {job_id} {job.status.value}")
else:
# Continue polling with progress update
poll_interval = self.poll_interval_spinbox.value() * 1000
QTimer.singleShot(poll_interval, poll)
except Exception as e:
self._log(f"❌ Polling error: {e}")
# Start polling
poll()
def _handle_completed_job(self, job_id):
"""Handle a completed job - retrieve results and save"""
try:
job = self.processor.jobs.get(job_id)
# Retrieve results
results = self.processor.retrieve_results(job_id)
if not results:
self._log("❌ No results retrieved from completed job")
return
# Determine source file strictly from job metadata to avoid using current GUI selection
source_path = ""
if job and job.metadata:
source_path = job.metadata.get('source_file') or ""
# Fallback to stored env path if source_file wasn't persisted
if not source_path and isinstance(job.metadata.get('env'), dict):
source_path = job.metadata['env'].get('EPUB_PATH') or job.metadata['env'].get('SOURCE_FILE') or ""
if not source_path:
raise ValueError("Source file path missing from job metadata. Please resubmit the job.")
if not os.path.isfile(source_path):
raise ValueError(f"Source file not found: {source_path}")
self._log(f"Using source file for results: {source_path}")
# Get output directory
base_name = os.path.splitext(os.path.basename(source_path))[0]
# Check for override
override_dir = os.environ.get('OUTPUT_DIRECTORY')
if override_dir:
output_dir = os.path.join(override_dir, base_name)
else:
# Default: same name as source file, in exe location
if getattr(sys, 'frozen', False):
# Running as compiled exe - use exe directory
app_dir = os.path.dirname(sys.executable)
else:
# Running as script - use script directory
app_dir = os.path.dirname(os.path.abspath(__file__))
output_dir = os.path.join(app_dir, base_name)
# Handle existing directory
if os.path.exists(output_dir):
reply = QMessageBox.question(
self.dialog,
"Directory Exists",
f"The output directory already exists:\n{output_dir}\n\n"
"Overwrite = Yes\n"
"Create new = No\n"
"Cancel = Cancel",
QMessageBox.Yes | QMessageBox.No | QMessageBox.Cancel
)
if reply == QMessageBox.Cancel:
return
elif reply == QMessageBox.No:
counter = 1
while os.path.exists(f"{output_dir}_{counter}"):
counter += 1
output_dir = f"{output_dir}_{counter}"
os.makedirs(output_dir, exist_ok=True)
# Extract ALL resources from EPUB (CSS, fonts, images)
self._log("📦 Extracting EPUB resources...")
import zipfile
with zipfile.ZipFile(source_path, 'r') as zf:
# Create resource directories
for res_type in ['css', 'fonts', 'images']:
os.makedirs(os.path.join(output_dir, res_type), exist_ok=True)
# Extract all resources, flatten images into images/
for file_path in zf.namelist():
if file_path.endswith('/'):
continue
file_lower = file_path.lower()
file_name = os.path.basename(file_path)
# Skip empty filenames
if not file_name:
continue
if file_lower.endswith('.css'):
zf.extract(file_path, os.path.join(output_dir, 'css'))
elif file_lower.endswith(('.ttf', '.otf', '.woff', '.woff2')):
zf.extract(file_path, os.path.join(output_dir, 'fonts'))
elif file_lower.endswith(('.jpg', '.jpeg', '.png', '.gif', '.svg', '.webp')):
# Flatten: copy image into output_dir/images with basename only
dest = os.path.join(output_dir, 'images', file_name)
with open(dest, 'wb') as img_out:
img_out.write(zf.read(file_path))
# Extract chapter info and metadata from source EPUB
self._log("📋 Extracting metadata from source EPUB...")
import ebooklib
from ebooklib import epub
from bs4 import BeautifulSoup
from TransateKRtoEN import get_content_hash, should_retain_source_extension
spine_map = self._get_opf_spine_map(source_path)
# Extract metadata
metadata = {}
book = epub.read_epub(source_path)
# Get book metadata
if book.get_metadata('DC', 'title'):
metadata['title'] = book.get_metadata('DC', 'title')[0][0]
if book.get_metadata('DC', 'creator'):
metadata['creator'] = book.get_metadata('DC', 'creator')[0][0]
if book.get_metadata('DC', 'language'):
metadata['language'] = book.get_metadata('DC', 'language')[0][0]
# Save metadata.json
metadata_path = os.path.join(output_dir, 'metadata.json')
with open(metadata_path, 'w', encoding='utf-8') as f:
json.dump(metadata, f, ensure_ascii=False, indent=2)
# Map chapter numbers to original info
chapter_map = {}
chapter_map_by_spine = {}
chapters_info = []
actual_chapter_num = 0
for item in book.get_items():
if item.get_type() == ebooklib.ITEM_DOCUMENT:
original_name = item.get_name()
original_basename = os.path.splitext(os.path.basename(original_name))[0]
soup = BeautifulSoup(item.get_content(), 'html.parser')
text = soup.get_text().strip()
# Keep even very short documents (e.g., covers/credits) to preserve filenames
actual_chapter_num += 1
# Try to find chapter number from headings
chapter_num = actual_chapter_num
for element in soup.find_all(['h1', 'h2', 'h3', 'title']):
element_text = element.get_text().strip()
match = re.search(r'chapter\\s*(\\d+)', element_text, re.IGNORECASE)
if match:
chapter_num = int(match.group(1))
break
# Calculate real content hash
content_hash = get_content_hash(text)
spine_pos = None
if spine_map:
spine_pos = (
spine_map.get(original_name)
or spine_map.get(original_basename)
or spine_map.get(os.path.splitext(original_basename)[0])
)
order_num = (spine_pos + 1) if spine_pos is not None else chapter_num
info = {
'original_basename': original_basename,
'original_extension': os.path.splitext(original_name)[1],
'content_hash': content_hash,
'text_length': len(text),
'has_images': bool(soup.find_all('img')),
'opf_spine_position': spine_pos,
'detected_chapter_num': chapter_num,
'original_filename': original_name,
'title': element_text if 'element_text' in locals() else f"Chapter {chapter_num}"
}
chapter_map[order_num] = info
if spine_pos is not None:
chapter_map_by_spine[spine_pos] = info
chapters_info.append({
'num': order_num,
'title': info['title'],
'original_filename': original_name,
'original_basename': original_basename,
'has_images': info['has_images'],
'text_length': info['text_length'],
'content_hash': content_hash,
'opf_spine_position': spine_pos,
'detected_chapter_num': chapter_num
})
# Save chapters_info.json
chapters_info_path = os.path.join(output_dir, 'chapters_info.json')
with open(chapters_info_path, 'w', encoding='utf-8') as f:
json.dump(chapters_info, f, ensure_ascii=False, indent=2)
# Create realistic progress tracking
progress_data = {
"version": "3.0",
"chapters": {},
"chapter_chunks": {},
"content_hashes": {},
"created": datetime.now().isoformat(),
"last_updated": datetime.now().isoformat(),
"total_chapters": len(results),
"completed_chapters": len(results),
"failed_chapters": 0,
"async_translated": True
}
chapter_mapping = {}
if hasattr(self, 'processor'):
job = self.processor.jobs.get(job_id)
if job and job.metadata:
chapter_mapping = job.metadata.get('chapter_mapping', {})
def _result_sort_key(res):
meta = chapter_mapping.get(res.get('custom_id'), {}) if chapter_mapping else {}
spine_pos = meta.get('opf_spine_position')
if spine_pos is None:
chapter_num = self._extract_chapter_number(res.get('custom_id', ''))
spine_pos = chapter_map.get(chapter_num, {}).get('opf_spine_position')
if spine_pos is None:
spine_pos = float('inf')
return (spine_pos, self._extract_chapter_number(res.get('custom_id', '')))
# Sort results and save with proper filenames (OPF spine aware)
sorted_results = sorted(results, key=_result_sort_key)
self._log("💾 Saving translated chapters...")
for result in sorted_results:
chapter_num = self._extract_chapter_number(result['custom_id'])
chapter_meta = chapter_mapping.get(result['custom_id'], {}) if chapter_mapping else {}
spine_pos = chapter_meta.get('opf_spine_position')
if spine_pos is not None:
chapter_num = spine_pos + 1
# Get chapter info
chapter_info = {}
if spine_pos is not None and spine_pos in chapter_map_by_spine:
chapter_info = chapter_map_by_spine.get(spine_pos, {})
elif chapter_num in chapter_map:
chapter_info = chapter_map.get(chapter_num, {})
original_basename = chapter_info.get('original_basename', f"{chapter_num:04d}")
content_hash = chapter_info.get('content_hash', hashlib.sha256(f"chapter_{chapter_num}".encode()).hexdigest())
# Save file with correct name (only once!)
# Async: always retain original source extension to keep filenames consistent
retain_ext = True
# Preserve compound extensions like .htm.xhtml when retaining
orig_name = chapter_info.get('original_filename') or chapter_info.get('original_basename')
if retain_ext and orig_name:
# Compute full extension suffix and a base with ALL extensions stripped
full = os.path.basename(orig_name)
bn, ext1 = os.path.splitext(full)
full_ext = ''
while ext1:
full_ext = ext1 + full_ext
bn, ext1 = os.path.splitext(bn)
base_no_ext = bn if bn else os.path.splitext(full)[0]
# If no extension found, default to .html
suffix = full_ext if full_ext else '.html'
filename = f"{base_no_ext}{suffix}"
elif retain_ext:
filename = f"{original_basename}.html"
else:
filename = f"response_{original_basename}.html"
file_path = os.path.join(output_dir, filename)
# Determine extraction method for this chapter (per-chapter > env > default)
job_obj = self.processor.jobs.get(job_id) if hasattr(self, 'processor') else None
job_env = job_obj.metadata.get('env', {}) if job_obj and job_obj.metadata else {}
chapter_meta = {}
if job_obj and job_obj.metadata and job_obj.metadata.get('chapter_mapping'):
chapter_meta = job_obj.metadata['chapter_mapping'].get(result['custom_id'], {})
extraction_method = str(
chapter_meta.get('extraction_method')
or job_env.get('TEXT_EXTRACTION_METHOD')
or job_env.get('EXTRACTION_MODE')
or 'standard'
).lower()
# Convert plain/markdown back to HTML when html2text/enhanced was used
content = result.get('content', '')
if extraction_method in ['enhanced', 'html2text', 'markdown']:
try:
from TransateKRtoEN import convert_enhanced_text_to_html
preserve_structure = chapter_meta.get('preserve_structure', True)
content = convert_enhanced_text_to_html(content, {'preserve_structure': preserve_structure})
except Exception as e:
print(f"⚠️ Could not convert enhanced text to HTML: {e}")
if content and '<' not in content[:200].lower():
body = ''.join(f"<p>{line}</p>" for line in content.splitlines() if line.strip())
content = f"<!DOCTYPE html><html><head><meta charset=\"utf-8\"></head><body>{body}</body></html>"
elif content and '<' not in content[:200].lower():
# Provider returned plain text in standard mode; wrap minimally
body = ''.join(f"<p>{line}</p>" for line in content.splitlines() if line.strip())
content = f"<!DOCTYPE html><html><head><meta charset=\"utf-8\"></head><body>{body}</body></html>"
with open(file_path, 'w', encoding='utf-8') as f:
f.write(content)
# Add realistic progress entry
progress_data["chapters"][content_hash] = {
"status": "completed",
"output_file": filename,
"actual_num": chapter_num,
"chapter_num": chapter_num,
"content_hash": content_hash,
"original_basename": original_basename,
"started_at": datetime.now().isoformat(),
"completed_at": datetime.now().isoformat(),
"translation_time": 2.5, # Fake but realistic
"token_count": chapter_info.get('text_length', 5000) // 4, # Rough estimate
# model_var can be a Tk variable or plain string depending on context
"model": (
self.gui.model_var.get()
if hasattr(getattr(self.gui, "model_var", None), "get")
else (self.gui.model_var if hasattr(self.gui, "model_var") else getattr(self.gui, "model", ""))
),
"from_async": True
}
# Add content hash tracking
progress_data["content_hashes"][content_hash] = {
"chapter_key": content_hash,
"chapter_num": chapter_num,
"status": "completed",
"index": chapter_num - 1
}
# Save realistic progress file
progress_file = os.path.join(output_dir, 'translation_progress.json')
with open(progress_file, 'w', encoding='utf-8') as f:
json.dump(progress_data, f, indent=2)
self._log(f"✅ Saved {len(sorted_results)} chapters to: {output_dir}")
QMessageBox.information(
self.dialog,
"Async Translation Complete",
f"Successfully saved {len(sorted_results)} translated chapters to:\n{output_dir}\n\n"
"Ready for EPUB conversion or further processing."
)
except Exception as e:
self._log(f"❌ Error handling completed job: {e}")
import traceback
self._log(traceback.format_exc())
QMessageBox.critical(self.dialog, "Error", f"Failed to process results: {str(e)}")
def _show_error_details(self, job):
"""Show details from error file"""
if not job.metadata.get('error_file_id'):
return
try:
# Get API key using the helper method
api_key = self._get_api_key_from_gui()
headers = {'Authorization': f'Bearer {api_key}'}
# Download error file
response = requests.get(
f'https://api.openai.com/v1/files/{job.metadata["error_file_id"]}/content',
headers=headers
)
if response.status_code == 200:
# Parse first few errors
errors = []
for i, line in enumerate(response.text.strip().split('\n')[:5]): # Show first 5 errors
if line:
try:
error_data = json.loads(line)
error_msg = error_data.get('error', {}).get('message', 'Unknown error')
errors.append(f"• {error_msg}")
except:
pass
error_text = '\n'.join(errors)
if len(response.text.strip().split('\n')) > 5:
newline = '\n'
error_text += f"\n\n... and {len(response.text.strip().split(newline)) - 5} more errors"
QMessageBox.critical(
self.dialog,
"Batch Processing Errors",
f"All requests failed with errors:\n\n{error_text}\n\n"
"Common causes:\n"
"• Invalid API key or insufficient permissions\n"
"• Model not available in your region\n"
"• Malformed request format"
)
except Exception as e:
print(f"Failed to retrieve error details: {e}")
def _extract_chapter_number(self, custom_id):
"""Extract chapter number from custom ID"""
match = re.search(r'chapter[_-](\d+)', custom_id, re.IGNORECASE)
if match:
return int(match.group(1))
return 0
# Helper methods for thread-safe UI updates
def _log(self, message, level="info"):
"""Thread-safe logging to GUI"""
# Log based on level
if level == "error":
print(f"❌ {message}") # This will show in GUI
elif level == "warning":
print(f"⚠️ {message}") # This will show in GUI
else:
logger.info(message) # This only goes to log file
# Also display info messages in GUI
if hasattr(self.gui, 'append_log'):
QTimer.singleShot(0, lambda: self.gui.append_log(message))
def _show_error(self, message):
"""Thread-safe error dialog"""
self._log(f"Error: {message}", level="error")
QTimer.singleShot(0, lambda: QMessageBox.critical(self.dialog, "Error", message))
def _show_info(self, title, message):
"""Thread-safe info dialog"""
self._log(f"{title}: {message}", level="info")
QTimer.singleShot(0, lambda: QMessageBox.information(self.dialog, title, message))
def _show_warning(self, message):
"""Thread-safe warning display"""
self._log(f"Warning: {message}", level="warning")
def _get_api_key_from_gui(self) -> str:
"""Retrieve API key using same logic as processor"""
try:
# Prefer the processor's validated helper when available
if hasattr(self, "processor") and hasattr(self.processor, "_get_api_key"):
return self.processor._get_api_key()
except Exception:
pass
# Fallback to direct GUI inspection to avoid failure
if hasattr(self.gui, "api_key_entry"):
if hasattr(self.gui.api_key_entry, "text"):
return self.gui.api_key_entry.text().strip()
return self.gui.api_key_entry.get().strip()
if hasattr(self.gui, "api_key_var"):
return self.gui.api_key_var.get().strip()
return os.getenv("API_KEY", "") or os.getenv("GEMINI_API_KEY", "") or os.getenv("GOOGLE_API_KEY", "")
def show_async_processing_dialog(parent, translator_gui):
"""Show the async processing dialog
Args:
parent: Parent window (tkinter window - will be ignored for PySide6)
translator_gui: Reference to main TranslatorGUI instance
"""
# Reuse existing dialog if present to preserve state
if hasattr(translator_gui, "async_dialog") and getattr(translator_gui, "async_dialog"):
dlg_obj = translator_gui.async_dialog
dlg_obj.dialog.showNormal()
dlg_obj.dialog.raise_()
dlg_obj.dialog.activateWindow()
return dlg_obj.dialog
dlg_obj = AsyncProcessingDialog(parent, translator_gui)
translator_gui.async_dialog = dlg_obj
dlg_obj.dialog.show() # non-modal to allow hiding/restoring
return dlg_obj.dialog
# Integration function for translator_gui.py
def add_async_processing_button(translator_gui, parent_frame):
"""Add async processing button to GUI
This function should be called from translator_gui.py to add the button
Args:
translator_gui: TranslatorGUI instance
parent_frame: Frame to add button to (PySide6 QWidget or layout)
"""
# Create button with appropriate styling
async_button = QPushButton("⚡ Async Processing (50% Off)")
async_button.clicked.connect(lambda: show_async_processing_dialog(None, translator_gui))
async_button.setStyleSheet("""
QPushButton {
background-color: #007bff;
color: white;
font-weight: bold;
font-size: 11pt;
padding: 0.5em 1em;
border-radius: 0.25em;
border: none;
}
QPushButton:hover {
background-color: #0069d9;
}
QPushButton:pressed {
background-color: #0056b3;
}
""")
# Add to parent (assuming it's a layout)
if hasattr(parent_frame, 'addWidget'):
parent_frame.addWidget(async_button)
# Store reference
translator_gui.async_button = async_button
return async_button