import gradio as gr import os import logging from datetime import datetime # 로깅 설정 logging.basicConfig( level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s', handlers=[ logging.StreamHandler() ] ) logger = logging.getLogger(__name__) # 전역 변수 text_processor = None whisper_model = None def initialize_models(): """모델들을 초기화합니다.""" global text_processor, whisper_model try: # 환경 변수 또는 Hugging Face Secrets에서 API 키 읽기 google_api_key = os.getenv("GOOGLE_API_KEY") if not google_api_key: return False, "❌ Google API 키가 설정되지 않았습니다. Hugging Face Spaces의 Settings에서 GOOGLE_API_KEY를 설정해주세요." # Whisper 모델 로드 (지연 로딩) import whisper logger.info("Whisper 모델을 로딩합니다...") whisper_model = whisper.load_model("base") logger.info("Whisper 모델 로딩 완료") # 텍스트 프로세서 초기화 from stt_processor import TextProcessor text_processor = TextProcessor(google_api_key) return True, "✅ 모든 모델이 초기화되었습니다." except Exception as e: logger.error(f"모델 초기화 실패: {e}") return False, f"❌ 초기화 실패: {str(e)}" def process_audio_file(audio_file, progress=gr.Progress()): """ 업로드된 오디오 파일을 처리합니다. """ global text_processor, whisper_model if audio_file is None: return "❌ 오디오 파일을 업로드해주세요.", "", "", "", "", "" try: # 모델 초기화 (필요한 경우) if whisper_model is None or text_processor is None: progress(0.05, desc="모델 초기화 중...") success, message = initialize_models() if not success: return message, "", "", "", "", "" # 오디오 파일 경로 확인 audio_path = audio_file.name if hasattr(audio_file, 'name') else audio_file logger.info(f"오디오 파일 처리 시작: {audio_path}") # 1단계: Whisper로 음성 인식 progress(0.1, desc="음성을 텍스트로 변환 중...") logger.info("Whisper를 통한 음성 인식 시작") result = whisper_model.transcribe(audio_path) full_text = result['text'].strip() if not full_text: return "❌ 오디오에서 텍스트를 추출할 수 없습니다.", "", "", "", "", "" language = result.get('language', 'unknown') logger.info(f"음성 인식 완료. 언어: {language}, 텍스트 길이: {len(full_text)}") # 2단계: AI 모델 로딩 progress(0.3, desc="AI 모델 로딩 중...") if not text_processor.models_loaded: text_processor.load_models() # 진행 상황 콜백 함수 def progress_callback(status, current, total): progress_value = 0.3 + (current / total) * 0.6 # 0.3~0.9 범위 progress(progress_value, desc=f"{status} ({current}/{total})") # 3단계: 텍스트 처리 (화자 분리 + 맞춤법 교정) progress(0.4, desc="AI 화자 분리 및 맞춤법 교정 중...") text_result = text_processor.process_text(full_text, progress_callback=progress_callback) if not text_result.get("success", False): return f"❌ 텍스트 처리 실패: {text_result.get('error', 'Unknown error')}", full_text, "", "", "", "" # 결과 추출 progress(0.95, desc="결과 정리 중...") original_text = text_result["original_text"] separated_text = text_result["separated_text"] corrected_text = text_result["corrected_text"] # 화자별 대화 추출 conversations = text_result["conversations_by_speaker_corrected"] speaker1_text = "\n\n".join([f"{i+1}. {utterance}" for i, utterance in enumerate(conversations.get("화자1", []))]) speaker2_text = "\n\n".join([f"{i+1}. {utterance}" for i, utterance in enumerate(conversations.get("화자2", []))]) progress(1.0, desc="처리 완료!") status_message = f""" ✅ **오디오 처리 완료!** - 파일명: {os.path.basename(audio_path)} - 처리 시간: {datetime.now().strftime('%Y-%m-%d %H:%M:%S')} - 감지된 언어: {language} - 텍스트 길이: {len(full_text)}자 - 화자1 발언 수: {len(conversations.get('화자1', []))}개 - 화자2 발언 수: {len(conversations.get('화자2', []))}개 """ return status_message, original_text, separated_text, corrected_text, speaker1_text, speaker2_text except Exception as e: logger.error(f"오디오 파일 처리 중 오류: {e}") return f"❌ 처리 중 오류가 발생했습니다: {str(e)}", "", "", "", "", "" def process_text_input(input_text, progress=gr.Progress()): """ 입력된 텍스트를 처리합니다. """ global text_processor if not input_text or not input_text.strip(): return "❌ 처리할 텍스트를 입력해주세요.", "", "", "", "", "" try: # 모델 초기화 (필요한 경우) if text_processor is None: progress(0.1, desc="텍스트 프로세서 초기화 중...") success, message = initialize_models() if not success: return message, "", "", "", "", "" # 모델 로딩 progress(0.2, desc="AI 모델 로딩 중...") if not text_processor.models_loaded: text_processor.load_models() # 진행 상황 콜백 함수 def progress_callback(status, current, total): progress_value = 0.2 + (current / total) * 0.7 # 0.2~0.9 범위 progress(progress_value, desc=f"{status} ({current}/{total})") # 텍스트 처리 progress(0.3, desc="텍스트 처리 시작...") result = text_processor.process_text(input_text, progress_callback=progress_callback) if not result.get("success", False): return f"❌ 처리 실패: {result.get('error', 'Unknown error')}", "", "", "", "", "" # 결과 추출 progress(0.95, desc="결과 정리 중...") original_text = result["original_text"] separated_text = result["separated_text"] corrected_text = result["corrected_text"] # 화자별 대화 추출 conversations = result["conversations_by_speaker_corrected"] speaker1_text = "\n\n".join([f"{i+1}. {utterance}" for i, utterance in enumerate(conversations.get("화자1", []))]) speaker2_text = "\n\n".join([f"{i+1}. {utterance}" for i, utterance in enumerate(conversations.get("화자2", []))]) progress(1.0, desc="처리 완료!") status_message = f""" ✅ **텍스트 처리 완료!** - 텍스트명: {result['text_name']} - 처리 시간: {datetime.now().strftime('%Y-%m-%d %H:%M:%S')} - 화자1 발언 수: {len(conversations.get('화자1', []))}개 - 화자2 발언 수: {len(conversations.get('화자2', []))}개 """ return status_message, original_text, separated_text, corrected_text, speaker1_text, speaker2_text except Exception as e: logger.error(f"텍스트 처리 중 오류: {e}") return f"❌ 처리 중 오류가 발생했습니다: {str(e)}", "", "", "", "", "" def create_interface(): """Gradio 인터페이스를 생성합니다.""" # CSS 스타일링 css = """ .gradio-container { font-family: 'Segoe UI', Tahoma, Geneva, Verdana, sans-serif; } .status-box { padding: 15px; border-radius: 8px; margin: 10px 0; } .main-header { text-align: center; color: #2c3e50; margin-bottom: 20px; } """ with gr.Blocks(css=css, title="2인 대화 STT 처리기") as interface: # 헤더 gr.HTML("""

🎤 2인 대화 화자 분리기 (AI)

Whisper + Gemini 2.0 Flash AI를 사용한 음성 인식, 화자 분리 및 맞춤법 교정

""") with gr.Row(): with gr.Column(scale=1): # 입력 섹션 with gr.Tabs(): with gr.TabItem("🎤 오디오 업로드"): gr.Markdown("### 🎤 오디오 파일 업로드") audio_input = gr.Audio( label="2인 대화 오디오 파일을 업로드하세요", type="filepath" ) audio_process_btn = gr.Button( "🚀 오디오 처리 시작", variant="primary", size="lg" ) with gr.TabItem("📝 텍스트 입력"): gr.Markdown("### 📝 텍스트 직접 입력") text_input = gr.Textbox( label="2인 대화 텍스트를 입력하세요", placeholder="두 명이 나누는 대화 내용을 여기에 붙여넣기하세요...\n\n예시:\n안녕하세요, 오늘 회의에 참석해주셔서 감사합니다. 네, 안녕하세요. 준비된 자료가 있나요? 네, 프레젠테이션 자료를 준비했습니다.", lines=8, max_lines=15 ) text_process_btn = gr.Button( "🚀 텍스트 처리 시작", variant="primary", size="lg" ) # 상태 표시 status_output = gr.Markdown( "### 📊 처리 상태\n준비 완료. 오디오 파일을 업로드하거나 텍스트를 입력하고 처리 버튼을 클릭하세요.", elem_classes=["status-box"] ) with gr.Column(scale=2): # 결과 표시 섹션 with gr.Tabs(): with gr.TabItem("📝 원본 텍스트"): original_output = gr.Textbox( label="추출/입력된 원본 텍스트", lines=10, max_lines=20, placeholder="처리 후 원본 텍스트가 여기에 표시됩니다..." ) with gr.TabItem("👥 화자 분리 (원본)"): separated_output = gr.Textbox( label="AI 화자 분리 결과 (원본)", lines=10, max_lines=20, placeholder="처리 후 화자별로 분리된 대화가 여기에 표시됩니다..." ) with gr.TabItem("✏️ 화자 분리 (교정)"): corrected_output = gr.Textbox( label="AI 화자 분리 결과 (맞춤법 교정)", lines=10, max_lines=20, placeholder="처리 후 맞춤법이 교정된 화자 분리 결과가 여기에 표시됩니다..." ) with gr.TabItem("👤 화자1 대화"): speaker1_output = gr.Textbox( label="화자1의 모든 발언", lines=10, max_lines=20, placeholder="처리 후 화자1의 발언들이 여기에 표시됩니다..." ) with gr.TabItem("👤 화자2 대화"): speaker2_output = gr.Textbox( label="화자2의 모든 발언", lines=10, max_lines=20, placeholder="처리 후 화자2의 발언들이 여기에 표시됩니다..." ) # 사용법 안내 gr.Markdown(""" ### 📖 사용법 **🎤 오디오 파일 처리:** 1. **오디오 업로드**: WAV, MP3, MP4 등의 오디오 파일을 업로드하세요 2. **처리 시작**: '🚀 오디오 처리 시작' 버튼을 클릭하세요 3. **결과 확인**: 음성 인식 → 화자 분리 → 맞춤법 교정 순으로 처리됩니다 **📝 텍스트 직접 입력:** 1. **텍스트 입력**: 2인 대화 텍스트를 입력란에 붙여넣기하세요 2. **처리 시작**: '🚀 텍스트 처리 시작' 버튼을 클릭하세요 3. **결과 확인**: 각 탭에서 화자 분리 결과를 확인하세요 ### ⚙️ 기술 정보 - **음성 인식**: OpenAI Whisper (다국어 지원) - **화자 분리**: Google Gemini 2.0 Flash - **맞춤법 교정**: 고급 AI 기반 한국어 교정 - **지원 형식**: WAV, MP3, MP4, M4A 등 - **최적 환경**: 2인 대화, 명확한 음질 ### ⚠️ 주의사항 - 처리 시간은 오디오 길이에 따라 달라집니다 (보통 1-5분) - Google AI API 사용량 제한이 있을 수 있습니다 - 2인 대화에 최적화되어 있습니다 - 음질이 좋을수록 더 정확한 결과를 얻을 수 있습니다 - 배경 소음이 적고 화자 구분이 명확한 오디오를 권장합니다 """) # 이벤트 연결 outputs = [ status_output, original_output, separated_output, corrected_output, speaker1_output, speaker2_output ] # 오디오 처리 이벤트 audio_process_btn.click( fn=process_audio_file, inputs=[audio_input], outputs=outputs, show_progress=True ) # 텍스트 처리 이벤트 text_process_btn.click( fn=process_text_input, inputs=[text_input], outputs=outputs, show_progress=True ) return interface # 메인 실행 if __name__ == "__main__": logger.info("Gradio 앱을 시작합니다...") # 인터페이스 생성 app = create_interface() # 앱 실행 (Hugging Face Spaces용) app.launch()