File size: 17,094 Bytes
3cb0dc4 |
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 423 424 425 426 427 428 429 |
"""
Smart Batch Processing Module
Optimizes TTS generation by intelligently batching chunks with similar parameters
"""
import json
import time
import logging
from collections import defaultdict, Counter
from pathlib import Path
from typing import List, Dict, Tuple, Any
import torch
class SmartBatchProcessor:
"""Intelligent batch processing for JSON-based TTS chunks with varying parameters"""
def __init__(self, model, tolerance=0.05, min_batch_size=2, max_batch_size=8):
"""
Initialize smart batch processor
Args:
model: ChatterboxTTS model instance
tolerance: Parameter tolerance for grouping (0.05 = 5% variation allowed)
min_batch_size: Minimum chunks to form a batch
max_batch_size: Maximum chunks per batch (memory/performance limit)
"""
self.model = model
self.tolerance = tolerance
self.min_batch_size = min_batch_size
self.max_batch_size = max_batch_size
self.logger = logging.getLogger(__name__)
# Performance tracking
self.stats = {
'total_chunks': 0,
'batched_chunks': 0,
'individual_chunks': 0,
'batch_groups': 0,
'total_time': 0,
'batch_time': 0,
'individual_time': 0
}
def analyze_chunk_distribution(self, chunks: List[Dict]) -> Dict:
"""
Analyze parameter distribution and batching potential
Args:
chunks: List of chunk dictionaries with tts_params
Returns:
Dictionary with analysis results
"""
if not chunks:
return {'error': 'No chunks provided'}
# Extract parameters
param_combos = []
for chunk in chunks:
if 'tts_params' not in chunk:
continue
params = chunk['tts_params']
combo = (
round(params.get('exaggeration', 0.5), 3),
round(params.get('cfg_weight', 0.5), 3),
round(params.get('temperature', 0.8), 3),
round(params.get('min_p', 0.05), 3),
round(params.get('repetition_penalty', 1.2), 3)
)
param_combos.append(combo)
# Count combinations
combo_counts = Counter(param_combos)
unique_combos = len(combo_counts)
# Calculate batching potential
exact_batchable = sum(count for count in combo_counts.values() if count >= self.min_batch_size)
# Estimate tolerant batching potential
tolerant_groups = self._estimate_tolerant_groups(param_combos)
tolerant_batchable = sum(len(group) for group in tolerant_groups if len(group) >= self.min_batch_size)
analysis = {
'total_chunks': len(chunks),
'unique_combinations': unique_combos,
'exact_batchable': exact_batchable,
'exact_batch_percentage': (exact_batchable / len(chunks)) * 100,
'tolerant_batchable': tolerant_batchable,
'tolerant_batch_percentage': (tolerant_batchable / len(chunks)) * 100,
'most_common_combos': combo_counts.most_common(5),
'estimated_speedup': self._estimate_speedup(len(chunks), exact_batchable, tolerant_batchable)
}
return analysis
def _estimate_tolerant_groups(self, param_combos: List[Tuple]) -> List[List[int]]:
"""Estimate grouping with tolerance"""
groups = []
used = set()
for i, combo1 in enumerate(param_combos):
if i in used:
continue
group = [i]
used.add(i)
for j, combo2 in enumerate(param_combos[i+1:], i+1):
if j in used:
continue
if self._params_within_tolerance(combo1, combo2):
group.append(j)
used.add(j)
groups.append(group)
return groups
def _params_within_tolerance(self, params1: Tuple, params2: Tuple) -> bool:
"""Check if two parameter sets are within tolerance"""
for p1, p2 in zip(params1, params2):
if abs(p1 - p2) > self.tolerance:
return False
return True
def _estimate_speedup(self, total_chunks: int, exact_batchable: int, tolerant_batchable: int) -> Dict:
"""Estimate performance improvements"""
# Assume batch processing is 3x faster per chunk
batch_factor = 3.0
# Exact batching
exact_individual = total_chunks - exact_batchable
exact_time = (exact_batchable / batch_factor) + exact_individual
exact_speedup = total_chunks / exact_time
# Tolerant batching
tolerant_individual = total_chunks - tolerant_batchable
tolerant_time = (tolerant_batchable / batch_factor) + tolerant_individual
tolerant_speedup = total_chunks / tolerant_time
return {
'exact_speedup': exact_speedup,
'tolerant_speedup': tolerant_speedup,
'potential_time_savings': {
'exact': ((total_chunks - exact_time) / total_chunks) * 100,
'tolerant': ((total_chunks - tolerant_time) / total_chunks) * 100
}
}
def group_chunks_for_batching(self, chunks: List[Dict], use_tolerance: bool = True) -> Dict:
"""
Group chunks for optimal batching
Args:
chunks: List of chunk dictionaries
use_tolerance: Whether to use parameter tolerance for grouping
Returns:
Dictionary with batch groups and individual chunks
"""
if not chunks:
return {'batch_groups': [], 'individual_chunks': []}
# Create parameter signatures for grouping
param_groups = defaultdict(list)
for i, chunk in enumerate(chunks):
if 'tts_params' not in chunk:
# Skip chunks without TTS parameters
continue
params = chunk['tts_params']
if use_tolerance:
# Round to tolerance level for grouping
signature = (
round(params.get('exaggeration', 0.5) / self.tolerance) * self.tolerance,
round(params.get('cfg_weight', 0.5) / self.tolerance) * self.tolerance,
round(params.get('temperature', 0.8) / self.tolerance) * self.tolerance,
round(params.get('min_p', 0.05) / self.tolerance) * self.tolerance,
round(params.get('repetition_penalty', 1.2) / self.tolerance) * self.tolerance
)
else:
# Exact parameter matching
signature = (
params.get('exaggeration', 0.5),
params.get('cfg_weight', 0.5),
params.get('temperature', 0.8),
params.get('min_p', 0.05),
params.get('repetition_penalty', 1.2)
)
param_groups[signature].append((i, chunk))
# Separate into batch groups and individual chunks
batch_groups = []
individual_chunks = []
for signature, group_chunks in param_groups.items():
if len(group_chunks) >= self.min_batch_size:
# Split large groups into smaller batches
for i in range(0, len(group_chunks), self.max_batch_size):
batch = group_chunks[i:i + self.max_batch_size]
if len(batch) >= self.min_batch_size:
batch_groups.append({
'signature': signature,
'chunks': batch,
'params': self._calculate_average_params([chunk for _, chunk in batch])
})
else:
individual_chunks.extend(batch)
else:
individual_chunks.extend(group_chunks)
self.logger.info(f"π Batching analysis: {len(batch_groups)} batch groups, {len(individual_chunks)} individual chunks")
return {
'batch_groups': batch_groups,
'individual_chunks': individual_chunks
}
def _calculate_average_params(self, chunks: List[Dict]) -> Dict:
"""Calculate average TTS parameters for a group"""
if not chunks:
return {}
param_sums = defaultdict(float)
param_counts = defaultdict(int)
for chunk in chunks:
params = chunk.get('tts_params', {})
for key, value in params.items():
if isinstance(value, (int, float)):
param_sums[key] += value
param_counts[key] += 1
# Calculate averages
avg_params = {}
for key in param_sums:
if param_counts[key] > 0:
avg_params[key] = param_sums[key] / param_counts[key]
return avg_params
def process_chunks_with_smart_batching(self, chunks: List[Dict], use_tolerance: bool = True) -> List[torch.Tensor]:
"""
Process chunks using smart batching for optimal performance
Args:
chunks: List of chunk dictionaries from JSON
use_tolerance: Whether to use parameter tolerance
Returns:
List of audio tensors in original chunk order
"""
if not chunks:
return []
start_time = time.time()
self.stats['total_chunks'] = len(chunks)
# Group chunks for batching
grouping = self.group_chunks_for_batching(chunks, use_tolerance)
batch_groups = grouping['batch_groups']
individual_chunks = grouping['individual_chunks']
# Initialize results array
results = [None] * len(chunks)
# Process batch groups
batch_start = time.time()
for group in batch_groups:
self.logger.info(f"π₯ Processing batch of {len(group['chunks'])} chunks")
# Extract texts and parameters
texts = [chunk['text'] for _, chunk in group['chunks']]
indices = [idx for idx, _ in group['chunks']]
params = group['params']
try:
# Batch generate
batch_start_time = time.time()
audio_batch = self.model.generate_batch(
texts,
exaggeration=params.get('exaggeration', 0.5),
cfg_weight=params.get('cfg_weight', 0.5),
temperature=params.get('temperature', 0.8),
min_p=params.get('min_p', 0.05),
top_p=params.get('top_p', 1.0),
repetition_penalty=params.get('repetition_penalty', 1.2)
)
batch_time = time.time() - batch_start_time
# Store results in correct positions
for idx, audio in zip(indices, audio_batch):
results[idx] = audio
self.stats['batched_chunks'] += len(group['chunks'])
self.logger.info(f" β
Batch completed in {batch_time:.2f}s ({len(texts)} chunks)")
except Exception as e:
self.logger.error(f"β Batch processing failed: {e}")
# Fallback to individual processing
for idx, chunk in group['chunks']:
individual_chunks.append((idx, chunk))
self.stats['batch_time'] = time.time() - batch_start
# Process individual chunks
individual_start = time.time()
for idx, chunk in individual_chunks:
self.logger.info(f"π§ Processing individual chunk {idx}")
try:
params = chunk.get('tts_params', {})
audio = self.model.generate(
chunk['text'],
exaggeration=params.get('exaggeration', 0.5),
cfg_weight=params.get('cfg_weight', 0.5),
temperature=params.get('temperature', 0.8),
min_p=params.get('min_p', 0.05),
top_p=params.get('top_p', 1.0),
repetition_penalty=params.get('repetition_penalty', 1.2)
)
results[idx] = audio
self.stats['individual_chunks'] += 1
except Exception as e:
self.logger.error(f"β Individual chunk {idx} failed: {e}")
# Create silent audio as fallback
results[idx] = torch.zeros(1, 24000) # 1 second of silence
self.stats['individual_time'] = time.time() - individual_start
self.stats['batch_groups'] = len(batch_groups)
self.stats['total_time'] = time.time() - start_time
# Log performance summary
self._log_performance_summary()
return results
def _log_performance_summary(self):
"""Log performance statistics"""
stats = self.stats
self.logger.info("π SMART BATCH PROCESSING SUMMARY")
self.logger.info("=" * 50)
self.logger.info(f"Total chunks processed: {stats['total_chunks']}")
self.logger.info(f"Batched chunks: {stats['batched_chunks']} ({stats['batched_chunks']/stats['total_chunks']*100:.1f}%)")
self.logger.info(f"Individual chunks: {stats['individual_chunks']} ({stats['individual_chunks']/stats['total_chunks']*100:.1f}%)")
self.logger.info(f"Batch groups: {stats['batch_groups']}")
self.logger.info(f"Total time: {stats['total_time']:.2f}s")
self.logger.info(f"Batch processing time: {stats['batch_time']:.2f}s")
self.logger.info(f"Individual processing time: {stats['individual_time']:.2f}s")
# Calculate estimated speedup
if stats['total_chunks'] > 0:
# Estimate what individual processing would have taken
avg_individual_time = stats['individual_time'] / max(stats['individual_chunks'], 1)
estimated_individual_total = avg_individual_time * stats['total_chunks']
actual_speedup = estimated_individual_total / stats['total_time'] if stats['total_time'] > 0 else 1.0
self.logger.info(f"Estimated speedup: {actual_speedup:.2f}x")
self.logger.info(f"Time saved: {estimated_individual_total - stats['total_time']:.1f}s")
def load_chunks_from_json(json_path: str) -> List[Dict]:
"""
Load chunks from JSON file
Args:
json_path: Path to chunks JSON file
Returns:
List of chunk dictionaries
"""
try:
with open(json_path, 'r', encoding='utf-8') as f:
data = json.load(f)
# Filter out metadata entries
chunks = [item for item in data if isinstance(item, dict) and 'text' in item]
return chunks
except Exception as e:
logging.error(f"Failed to load JSON file {json_path}: {e}")
return []
def demo_smart_batching(json_path: str, model):
"""
Demonstrate smart batching with a JSON file
Args:
json_path: Path to chunks JSON file
model: ChatterboxTTS model instance
"""
# Load chunks
chunks = load_chunks_from_json(json_path)
if not chunks:
print("β No chunks loaded from JSON file")
return
# Create processor
processor = SmartBatchProcessor(model, tolerance=0.05, min_batch_size=2, max_batch_size=6)
# Analyze batching potential
analysis = processor.analyze_chunk_distribution(chunks)
print("π SMART BATCHING ANALYSIS")
print("=" * 40)
print(f"Total chunks: {analysis['total_chunks']}")
print(f"Unique parameter combinations: {analysis['unique_combinations']}")
print(f"Exact batchable: {analysis['exact_batchable']} ({analysis['exact_batch_percentage']:.1f}%)")
print(f"Tolerant batchable: {analysis['tolerant_batchable']} ({analysis['tolerant_batch_percentage']:.1f}%)")
print(f"Estimated speedup: {analysis['estimated_speedup']['tolerant_speedup']:.2f}x")
print()
# Process first few chunks as demo
demo_chunks = chunks[:10] # Process first 10 chunks for demo
print(f"π Processing {len(demo_chunks)} demo chunks...")
# Process with smart batching
results = processor.process_chunks_with_smart_batching(demo_chunks, use_tolerance=True)
print(f"β
Smart batching completed!")
print(f"Generated {len([r for r in results if r is not None])} audio files")
return results |