2025-01-20 22:42:29 -07:00
|
|
|
"""TTS service using model and voice managers."""
|
|
|
|
|
2025-01-03 00:53:41 -07:00
|
|
|
import time
|
2025-01-25 05:25:13 -07:00
|
|
|
from typing import List, Tuple, Optional, AsyncGenerator, Union
|
2025-01-27 20:23:42 -07:00
|
|
|
import asyncio
|
2025-01-20 22:42:29 -07:00
|
|
|
|
2025-01-13 20:15:46 -07:00
|
|
|
import numpy as np
|
2025-01-21 21:44:21 -07:00
|
|
|
import torch
|
2025-01-03 00:53:41 -07:00
|
|
|
from loguru import logger
|
|
|
|
|
2025-01-09 18:41:44 -07:00
|
|
|
from ..core.config import settings
|
2025-01-20 22:42:29 -07:00
|
|
|
from ..inference.model_manager import get_manager as get_model_manager
|
|
|
|
from ..inference.voice_manager import get_manager as get_voice_manager
|
2025-01-13 20:15:46 -07:00
|
|
|
from .audio import AudioNormalizer, AudioService
|
2025-01-27 20:23:42 -07:00
|
|
|
from .text_processing.text_processor import process_text_chunk, smart_split
|
2025-01-22 02:33:29 -07:00
|
|
|
|
2025-01-03 00:53:41 -07:00
|
|
|
class TTSService:
|
2025-01-20 22:42:29 -07:00
|
|
|
"""Text-to-speech service."""
|
|
|
|
|
2025-01-22 02:33:29 -07:00
|
|
|
# Limit concurrent chunk processing
|
|
|
|
_chunk_semaphore = asyncio.Semaphore(4)
|
|
|
|
|
2025-01-03 00:53:41 -07:00
|
|
|
def __init__(self, output_dir: str = None):
|
2025-01-25 05:25:13 -07:00
|
|
|
"""Initialize service."""
|
2025-01-03 00:53:41 -07:00
|
|
|
self.output_dir = output_dir
|
2025-01-22 02:33:29 -07:00
|
|
|
self.model_manager = None
|
|
|
|
self._voice_manager = None
|
2025-01-03 00:53:41 -07:00
|
|
|
|
2025-01-22 02:33:29 -07:00
|
|
|
@classmethod
|
|
|
|
async def create(cls, output_dir: str = None) -> 'TTSService':
|
2025-01-25 05:25:13 -07:00
|
|
|
"""Create and initialize TTSService instance."""
|
2025-01-22 02:33:29 -07:00
|
|
|
service = cls(output_dir)
|
|
|
|
service.model_manager = await get_model_manager()
|
|
|
|
service._voice_manager = await get_voice_manager()
|
|
|
|
return service
|
2025-01-20 22:42:29 -07:00
|
|
|
|
2025-01-25 05:25:13 -07:00
|
|
|
async def _process_chunk(
|
|
|
|
self,
|
2025-01-27 20:23:42 -07:00
|
|
|
tokens: List[int],
|
2025-01-25 05:25:13 -07:00
|
|
|
voice_tensor: torch.Tensor,
|
|
|
|
speed: float,
|
|
|
|
output_format: Optional[str] = None,
|
|
|
|
is_first: bool = False,
|
|
|
|
is_last: bool = False,
|
|
|
|
normalizer: Optional[AudioNormalizer] = None,
|
|
|
|
) -> Optional[Union[np.ndarray, bytes]]:
|
2025-01-27 20:23:42 -07:00
|
|
|
"""Process tokens into audio."""
|
2025-01-25 05:25:13 -07:00
|
|
|
async with self._chunk_semaphore:
|
|
|
|
try:
|
2025-01-27 20:23:42 -07:00
|
|
|
# Handle stream finalization
|
|
|
|
if is_last:
|
|
|
|
return await AudioService.convert_audio(
|
|
|
|
np.array([0], dtype=np.float32), # Dummy data for type checking
|
|
|
|
24000,
|
|
|
|
output_format,
|
|
|
|
is_first_chunk=False,
|
|
|
|
normalizer=normalizer,
|
|
|
|
is_last_chunk=True
|
|
|
|
)
|
|
|
|
|
|
|
|
# Skip empty chunks
|
2025-01-25 05:25:13 -07:00
|
|
|
if not tokens:
|
|
|
|
return None
|
2025-01-27 20:23:42 -07:00
|
|
|
|
2025-01-25 05:25:13 -07:00
|
|
|
# Generate audio using pre-warmed model
|
|
|
|
chunk_audio = await self.model_manager.generate(
|
|
|
|
tokens,
|
|
|
|
voice_tensor,
|
|
|
|
speed=speed
|
|
|
|
)
|
|
|
|
|
|
|
|
if chunk_audio is None:
|
2025-01-27 20:23:42 -07:00
|
|
|
logger.error("Model generated None for audio chunk")
|
|
|
|
return None
|
|
|
|
|
|
|
|
if len(chunk_audio) == 0:
|
|
|
|
logger.error("Model generated empty audio chunk")
|
2025-01-25 05:25:13 -07:00
|
|
|
return None
|
|
|
|
|
|
|
|
# For streaming, convert to bytes
|
|
|
|
if output_format:
|
2025-01-27 20:23:42 -07:00
|
|
|
try:
|
|
|
|
return await AudioService.convert_audio(
|
|
|
|
chunk_audio,
|
|
|
|
24000,
|
|
|
|
output_format,
|
|
|
|
is_first_chunk=is_first,
|
|
|
|
normalizer=normalizer,
|
|
|
|
is_last_chunk=is_last
|
|
|
|
)
|
|
|
|
except Exception as e:
|
|
|
|
logger.error(f"Failed to convert audio: {str(e)}")
|
|
|
|
return None
|
2025-01-25 05:25:13 -07:00
|
|
|
|
|
|
|
return chunk_audio
|
|
|
|
except Exception as e:
|
2025-01-27 20:23:42 -07:00
|
|
|
logger.error(f"Failed to process tokens: {str(e)}")
|
2025-01-25 05:25:13 -07:00
|
|
|
return None
|
2025-01-03 00:53:41 -07:00
|
|
|
|
2025-01-04 17:54:54 -07:00
|
|
|
async def generate_audio_stream(
|
2025-01-09 18:41:44 -07:00
|
|
|
self,
|
|
|
|
text: str,
|
|
|
|
voice: str,
|
2025-01-20 22:42:29 -07:00
|
|
|
speed: float = 1.0,
|
2025-01-09 18:41:44 -07:00
|
|
|
output_format: str = "wav",
|
2025-01-25 05:25:13 -07:00
|
|
|
) -> AsyncGenerator[bytes, None]:
|
|
|
|
"""Generate and stream audio chunks."""
|
2025-01-22 02:33:29 -07:00
|
|
|
stream_normalizer = AudioNormalizer()
|
|
|
|
voice_tensor = None
|
2025-01-27 20:23:42 -07:00
|
|
|
chunk_index = 0
|
2025-01-22 02:33:29 -07:00
|
|
|
|
2025-01-04 17:54:54 -07:00
|
|
|
try:
|
2025-01-25 05:25:13 -07:00
|
|
|
# Get backend and load voice (should be fast if cached)
|
2025-01-22 02:33:29 -07:00
|
|
|
backend = self.model_manager.get_backend()
|
|
|
|
voice_tensor = await self._voice_manager.load_voice(voice, device=backend.device)
|
|
|
|
|
2025-01-27 20:23:42 -07:00
|
|
|
# Process text in chunks with smart splitting
|
|
|
|
async for chunk_text, tokens in smart_split(text):
|
|
|
|
try:
|
|
|
|
# Process audio for chunk
|
|
|
|
result = await self._process_chunk(
|
2025-01-28 20:41:57 -07:00
|
|
|
tokens, # Now always a flat List[int]
|
2025-01-25 05:25:13 -07:00
|
|
|
voice_tensor,
|
|
|
|
speed,
|
|
|
|
output_format,
|
2025-01-27 20:23:42 -07:00
|
|
|
is_first=(chunk_index == 0),
|
|
|
|
is_last=False, # We'll update the last chunk later
|
2025-01-25 05:25:13 -07:00
|
|
|
normalizer=stream_normalizer
|
|
|
|
)
|
|
|
|
|
2025-01-27 20:23:42 -07:00
|
|
|
if result is not None:
|
|
|
|
yield result
|
|
|
|
chunk_index += 1
|
|
|
|
else:
|
|
|
|
logger.warning(f"No audio generated for chunk: '{chunk_text[:100]}...'")
|
|
|
|
|
|
|
|
except Exception as e:
|
|
|
|
logger.error(f"Failed to process audio for chunk: '{chunk_text[:100]}...'. Error: {str(e)}")
|
|
|
|
continue
|
|
|
|
|
|
|
|
# Only finalize if we successfully processed at least one chunk
|
|
|
|
if chunk_index > 0:
|
|
|
|
try:
|
|
|
|
# Empty tokens list to finalize audio
|
|
|
|
final_result = await self._process_chunk(
|
|
|
|
[], # Empty tokens list
|
|
|
|
voice_tensor,
|
|
|
|
speed,
|
|
|
|
output_format,
|
|
|
|
is_first=False,
|
|
|
|
is_last=True,
|
|
|
|
normalizer=stream_normalizer
|
|
|
|
)
|
|
|
|
if final_result is not None:
|
|
|
|
logger.debug("Yielding final chunk to finalize audio")
|
|
|
|
yield final_result
|
|
|
|
else:
|
|
|
|
logger.warning("Final chunk processing returned None")
|
|
|
|
except Exception as e:
|
|
|
|
logger.error(f"Failed to process final chunk: {str(e)}")
|
|
|
|
else:
|
|
|
|
logger.warning("No audio chunks were successfully processed")
|
2025-01-09 18:41:44 -07:00
|
|
|
|
2025-01-04 17:54:54 -07:00
|
|
|
except Exception as e:
|
|
|
|
logger.error(f"Error in audio generation stream: {str(e)}")
|
|
|
|
raise
|
2025-01-22 02:33:29 -07:00
|
|
|
finally:
|
|
|
|
if voice_tensor is not None:
|
|
|
|
del voice_tensor
|
|
|
|
torch.cuda.empty_cache()
|
2025-01-04 17:54:54 -07:00
|
|
|
|
2025-01-25 05:25:13 -07:00
|
|
|
async def generate_audio(
|
|
|
|
self, text: str, voice: str, speed: float = 1.0
|
|
|
|
) -> Tuple[np.ndarray, float]:
|
|
|
|
"""Generate complete audio for text using streaming internally."""
|
|
|
|
start_time = time.time()
|
|
|
|
chunks = []
|
2025-01-20 22:42:29 -07:00
|
|
|
|
2025-01-25 05:25:13 -07:00
|
|
|
try:
|
|
|
|
# Use streaming generator but collect all chunks
|
|
|
|
async for chunk in self.generate_audio_stream(
|
|
|
|
text, voice, speed, output_format=None
|
|
|
|
):
|
|
|
|
if chunk is not None:
|
|
|
|
chunks.append(chunk)
|
|
|
|
|
|
|
|
if not chunks:
|
|
|
|
raise ValueError("No audio chunks were generated successfully")
|
|
|
|
|
|
|
|
# Combine chunks
|
|
|
|
audio = np.concatenate(chunks) if len(chunks) > 1 else chunks[0]
|
|
|
|
processing_time = time.time() - start_time
|
|
|
|
return audio, processing_time
|
|
|
|
|
|
|
|
except Exception as e:
|
|
|
|
logger.error(f"Error in audio generation: {str(e)}")
|
|
|
|
raise
|
|
|
|
|
|
|
|
async def combine_voices(self, voices: List[str]) -> str:
|
|
|
|
"""Combine multiple voices."""
|
2025-01-22 02:33:29 -07:00
|
|
|
return await self._voice_manager.combine_voices(voices)
|
2025-01-09 18:41:44 -07:00
|
|
|
|
2025-01-07 03:50:08 -07:00
|
|
|
async def list_voices(self) -> List[str]:
|
2025-01-25 05:25:13 -07:00
|
|
|
"""List available voices."""
|
|
|
|
return await self._voice_manager.list_voices()
|