Spaces:
Running
Running
File size: 11,520 Bytes
f5ec497 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 |
"""
Utility functions for the TTSFM package.
This module provides common utility functions used throughout the package,
including HTTP helpers, validation utilities, and configuration management.
"""
import os
import re
import time
import random
import logging
from typing import Dict, Any, Optional, Union, List
from urllib.parse import urljoin, urlparse
# Configure logging
logger = logging.getLogger(__name__)
def get_user_agent() -> str:
"""
Generate a realistic User-Agent string.
Returns:
str: User-Agent string for HTTP requests
"""
try:
from fake_useragent import UserAgent
ua = UserAgent()
return ua.random
except ImportError:
# Fallback if fake_useragent is not available
return "TTSFM-Client/3.0.0 (Python)"
def get_realistic_headers() -> Dict[str, str]:
"""
Generate realistic HTTP headers for requests.
Returns:
Dict[str, str]: HTTP headers dictionary
"""
user_agent = get_user_agent()
headers = {
"Accept": "application/json, audio/*",
"Accept-Encoding": "gzip, deflate, br",
"Accept-Language": random.choice(["en-US,en;q=0.9", "en-GB,en;q=0.8", "en-CA,en;q=0.7"]),
"Cache-Control": "no-cache",
"DNT": "1",
"Pragma": "no-cache",
"User-Agent": user_agent,
"X-Requested-With": "XMLHttpRequest",
}
# Add browser-specific headers for Chromium-based browsers
if any(browser in user_agent.lower() for browser in ['chrome', 'edge', 'chromium']):
version_match = re.search(r'(?:Chrome|Edge|Chromium)/(\d+)', user_agent)
major_version = version_match.group(1) if version_match else "121"
brands = []
if 'google chrome' in user_agent.lower():
brands.extend([
f'"Google Chrome";v="{major_version}"',
f'"Chromium";v="{major_version}"',
'"Not A(Brand";v="99"'
])
elif 'microsoft edge' in user_agent.lower():
brands.extend([
f'"Microsoft Edge";v="{major_version}"',
f'"Chromium";v="{major_version}"',
'"Not A(Brand";v="99"'
])
else:
brands.extend([
f'"Chromium";v="{major_version}"',
'"Not A(Brand";v="8"'
])
headers.update({
"Sec-Ch-Ua": ", ".join(brands),
"Sec-Ch-Ua-Mobile": "?0",
"Sec-Ch-Ua-Platform": random.choice(['"Windows"', '"macOS"', '"Linux"']),
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-origin"
})
# Randomly add some optional headers
if random.random() < 0.5:
headers["Upgrade-Insecure-Requests"] = "1"
return headers
def validate_text_length(text: str, max_length: int = 4096, raise_error: bool = True) -> bool:
"""
Validate text length against maximum allowed characters.
Args:
text: Text to validate
max_length: Maximum allowed length in characters
raise_error: Whether to raise an exception if validation fails
Returns:
bool: True if text is within limits, False otherwise
Raises:
ValueError: If text exceeds max_length and raise_error is True
"""
if not text:
return True
text_length = len(text)
if text_length > max_length:
if raise_error:
raise ValueError(
f"Text is too long ({text_length} characters). "
f"Maximum allowed length is {max_length} characters. "
f"TTS models typically support up to 4096 characters per request."
)
return False
return True
def split_text_by_length(text: str, max_length: int = 4096, preserve_words: bool = True) -> List[str]:
"""
Split text into chunks that don't exceed the maximum length.
Args:
text: Text to split
max_length: Maximum length per chunk
preserve_words: Whether to avoid splitting words
Returns:
List[str]: List of text chunks
"""
if not text:
return []
if len(text) <= max_length:
return [text]
chunks = []
if preserve_words:
# Split by sentences first, then by words if needed
sentences = re.split(r'[.!?]+', text)
current_chunk = ""
for sentence in sentences:
sentence = sentence.strip()
if not sentence:
continue
# Add sentence ending punctuation back
if not sentence.endswith(('.', '!', '?')):
sentence += '.'
# Check if adding this sentence would exceed the limit
test_chunk = current_chunk + (" " if current_chunk else "") + sentence
if len(test_chunk) <= max_length:
current_chunk = test_chunk
else:
# Save current chunk if it has content
if current_chunk:
chunks.append(current_chunk.strip())
# If single sentence is too long, split by words
if len(sentence) > max_length:
word_chunks = _split_by_words(sentence, max_length)
chunks.extend(word_chunks)
current_chunk = ""
else:
current_chunk = sentence
# Add remaining chunk
if current_chunk:
chunks.append(current_chunk.strip())
else:
# Simple character-based splitting
for i in range(0, len(text), max_length):
chunks.append(text[i:i + max_length])
return [chunk for chunk in chunks if chunk.strip()]
def _split_by_words(text: str, max_length: int) -> List[str]:
"""
Split text by words when sentences are too long.
Args:
text: Text to split
max_length: Maximum length per chunk
Returns:
List[str]: List of word-based chunks
"""
words = text.split()
chunks = []
current_chunk = ""
for word in words:
test_chunk = current_chunk + (" " if current_chunk else "") + word
if len(test_chunk) <= max_length:
current_chunk = test_chunk
else:
if current_chunk:
chunks.append(current_chunk)
# If single word is too long, split it
if len(word) > max_length:
for i in range(0, len(word), max_length):
chunks.append(word[i:i + max_length])
current_chunk = ""
else:
current_chunk = word
if current_chunk:
chunks.append(current_chunk)
return chunks
def sanitize_text(text: str) -> str:
"""
Sanitize input text for TTS processing.
Args:
text: Input text to sanitize
Returns:
str: Sanitized text
"""
if not text:
return ""
# Remove HTML tags
text = re.sub(r'<[^>]+>', '', text)
# Remove script tags and content
text = re.sub(r'<script.*?</script>', '', text, flags=re.DOTALL | re.IGNORECASE)
# Remove potentially dangerous characters
text = re.sub(r'[<>"\']', '', text)
# Normalize whitespace
text = re.sub(r'\s+', ' ', text)
return text.strip()
def validate_url(url: str) -> bool:
"""
Validate if a URL is properly formatted.
Args:
url: URL to validate
Returns:
bool: True if URL is valid, False otherwise
"""
try:
result = urlparse(url)
return all([result.scheme, result.netloc])
except Exception:
return False
def build_url(base_url: str, path: str) -> str:
"""
Build a complete URL from base URL and path.
Args:
base_url: Base URL
path: Path to append
Returns:
str: Complete URL
"""
# Ensure base_url ends with /
if not base_url.endswith('/'):
base_url += '/'
# Ensure path doesn't start with /
if path.startswith('/'):
path = path[1:]
return urljoin(base_url, path)
def get_random_delay(min_delay: float = 1.0, max_delay: float = 5.0) -> float:
"""
Get a random delay with jitter for rate limiting.
Args:
min_delay: Minimum delay in seconds
max_delay: Maximum delay in seconds
Returns:
float: Random delay in seconds
"""
base_delay = random.uniform(min_delay, max_delay)
jitter = random.uniform(0.1, 0.5)
return base_delay + jitter
def exponential_backoff(attempt: int, base_delay: float = 1.0, max_delay: float = 60.0) -> float:
"""
Calculate exponential backoff delay.
Args:
attempt: Attempt number (0-based)
base_delay: Base delay in seconds
max_delay: Maximum delay in seconds
Returns:
float: Delay in seconds
"""
delay = base_delay * (2 ** attempt)
jitter = random.uniform(0.1, 0.3) * delay
return min(delay + jitter, max_delay)
def load_config_from_env(prefix: str = "TTSFM_") -> Dict[str, Any]:
"""
Load configuration from environment variables.
Args:
prefix: Prefix for environment variables
Returns:
Dict[str, Any]: Configuration dictionary
"""
config = {}
for key, value in os.environ.items():
if key.startswith(prefix):
config_key = key[len(prefix):].lower()
# Try to convert to appropriate type
if value.lower() in ('true', 'false'):
config[config_key] = value.lower() == 'true'
elif value.isdigit():
config[config_key] = int(value)
elif '.' in value and value.replace('.', '').isdigit():
config[config_key] = float(value)
else:
config[config_key] = value
return config
def setup_logging(level: Union[str, int] = logging.INFO, format_string: Optional[str] = None) -> None:
"""
Setup logging configuration for the package.
Args:
level: Logging level
format_string: Custom format string
"""
if format_string is None:
format_string = '%(asctime)s - %(name)s - %(levelname)s - %(message)s'
logging.basicConfig(
level=level,
format=format_string,
handlers=[logging.StreamHandler()]
)
def estimate_audio_duration(text: str, words_per_minute: float = 150.0) -> float:
"""
Estimate audio duration based on text length.
Args:
text: Input text
words_per_minute: Average speaking rate
Returns:
float: Estimated duration in seconds
"""
if not text:
return 0.0
# Count words (simple whitespace split)
word_count = len(text.split())
# Calculate duration in seconds
duration = (word_count / words_per_minute) * 60.0
# Add some buffer for pauses and processing
return duration * 1.1
def format_file_size(size_bytes: int) -> str:
"""
Format file size in human-readable format.
Args:
size_bytes: Size in bytes
Returns:
str: Formatted size string
"""
if size_bytes == 0:
return "0 B"
size_names = ["B", "KB", "MB", "GB"]
i = 0
while size_bytes >= 1024 and i < len(size_names) - 1:
size_bytes /= 1024.0
i += 1
return f"{size_bytes:.1f} {size_names[i]}"
|