forked from marouane53/transcribe
-
Notifications
You must be signed in to change notification settings - Fork 0
/
transcribe.py
135 lines (117 loc) · 5.1 KB
/
transcribe.py
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
import json
import logging
import os
import subprocess
import sys
from collections import deque
from pathlib import Path
from dotenv import load_dotenv
from tafrigh import Config, TranscriptType, Writer, farrigh
from tafrigh.recognizers.wit_recognizer import WitRecognizer
# Load environment variables from .env file
load_dotenv()
# Define Wit.ai API keys for languages using environment variables
LANGUAGE_API_KEYS = {
'EN': os.getenv('WIT_API_KEY_ENGLISH'),
'AR': os.getenv('WIT_API_KEY_ARABIC'),
'FR': os.getenv('WIT_API_KEY_FRENCH'),
'JA': os.getenv('WIT_API_KEY_JAPANESE'),
# Add more languages and API keys as needed
}
# Check if at least one API key is provided
if not any(LANGUAGE_API_KEYS.values()):
print("Error: At least one Wit.ai API key must be provided in the .env file.")
sys.exit(1)
# Set up logging
#logging.basicConfig(filename='transcription.log', level=logging.DEBUG)
def download_youtube_audio(youtube_url):
output_path = Path(__file__).parent / 'downloads' / '%(id)s.%(ext)s'
command = ['yt-dlp', '-x', '--audio-format', 'wav', '-o', str(output_path), youtube_url]
subprocess.run(command, check=True)
audio_file = next(Path(__file__).parent.glob('downloads/*.wav'))
return audio_file
def convert_video_to_audio(video_path):
audio_output_path = video_path.with_suffix('.wav') # Ensure output is WAV
command = ['ffmpeg', '-i', str(video_path), '-vn', '-acodec', 'pcm_s16le', '-ar', '44100', '-ac', '2', str(audio_output_path)]
subprocess.run(command, check=True)
print(f"Video converted to audio: {audio_output_path}")
return audio_output_path
def convert_mp3_to_wav(mp3_path):
wav_output_path = mp3_path.with_suffix('.wav')
command = ['ffmpeg', '-i', str(mp3_path), str(wav_output_path)]
subprocess.run(command, check=True)
print(f"MP3 converted to WAV: {wav_output_path}")
return wav_output_path
def is_wav_file(file_path):
try:
with open(file_path, 'rb') as file:
return file.read(4) == b'RIFF'
except IOError:
return False
def transcribe_file(file_path, language_sign):
if not is_wav_file(file_path):
print(f"Skipping file {file_path} as it is not in WAV format.")
return
wit_api_key = LANGUAGE_API_KEYS.get(language_sign.upper())
if not wit_api_key:
print(f"API key not found for language: {language_sign}")
return
config = Config(
urls_or_paths=[str(file_path)],
skip_if_output_exist=False,
playlist_items="",
verbose=False,
model_name_or_path="",
task="",
language="",
use_faster_whisper=False,
beam_size=0,
ct2_compute_type="",
wit_client_access_tokens=[wit_api_key],
max_cutting_duration=5,
min_words_per_segment=1,
save_files_before_compact=False,
save_yt_dlp_responses=False,
output_sample=0,
output_formats=[TranscriptType.TXT, TranscriptType.SRT],
output_dir=str(file_path.parent),
)
print(f"Transcribing file: {file_path}")
progress = deque(farrigh(config), maxlen=0)
print(f"Transcription completed. Check the output directory for the generated files.")
def main():
choice = input("Do you want to transcribe a YouTube video (Y) or a local file (L)? [Y/L]: ").strip().upper()
if choice == 'Y':
youtube_url = input("Enter the YouTube video link: ")
language_sign = input("Enter the language sign (e.g., EN, AR, FR, JA): ")
audio_file = download_youtube_audio(youtube_url)
transcribe_file(audio_file, language_sign)
elif choice == 'L':
file_path = input("Enter the path to the local file or directory: ")
file_path = Path(file_path)
if file_path.is_dir():
# Process all audio/video files in the directory
for file in file_path.glob('*'):
if file.suffix.lower() in ['.wav']:
language_sign = input(f"Enter the language sign for {file.name} (e.g., EN, AR, FR, JA): ")
transcribe_file(file, language_sign)
elif file.suffix.lower() in ['.mp3']:
wav_file = convert_mp3_to_wav(file)
language_sign = input(f"Enter the language sign for {file.name} (e.g., EN, AR, FR, JA): ")
transcribe_file(wav_file, language_sign)
elif file.suffix.lower() in ['.mp4', '.mkv', '.avi']:
audio_file = convert_video_to_audio(file)
language_sign = input(f"Enter the language sign for {file.name} (e.g., EN, AR, FR, JA): ")
transcribe_file(audio_file, language_sign)
else:
if file_path.suffix.lower() in ['.mp3']:
file_path = convert_mp3_to_wav(file_path)
elif file_path.suffix.lower() in ['.mp4', '.mkv', '.avi']:
file_path = convert_video_to_audio(file_path)
language_sign = input("Enter the language sign (e.g., EN, AR, FR): ")
transcribe_file(file_path, language_sign)
else:
print("Invalid choice. Exiting.")
sys.exit(1)
if __name__ == "__main__":
main()