Skip to content

zh-plus/openlrc

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

370 Commits
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

Open-Lyrics

PyPI PyPI - License Downloads GitHub Workflow Status (with event)

Open-Lyrics is a Python library that transcribes audio with faster-whisper, then translates/polishes the text into .lrc subtitles with LLMs such as OpenAI and Anthropic.

Key Features

  • Audio preprocessing to reduce hallucinations (loudness normalization and optional noise suppression).
  • Context-aware translation to improve translation quality. Check prompt for details.
  • Check here for an overview of the architecture.

New 🚨

  • 2024.5.7:
    • Added custom endpoint (base_url) support for OpenAI and Anthropic:
      lrcer = LRCer( translation=TranslationConfig( base_url_config={'openai': 'https://api.chatanywhere.tech', 'anthropic': 'https://example/api'} ) )
    • Added bilingual subtitle generation:
      lrcer.run('./data/test.mp3', target_lang='zh-cn', bilingual_sub=True)
  • 2024.5.11: Added glossary support in prompts to improve domain-specific translation. Check here for details.
  • 2024.5.17: You can route models to arbitrary chatbot SDKs (OpenAI or Anthropic) by setting chatbot_model to provider: model_name together with base_url_config:
    lrcer = LRCer( translation=TranslationConfig( chatbot_model='openai: claude-3-haiku-20240307', base_url_config={'openai': 'https://api.g4f.icu/v1/'} ) )
  • 2024.6.25: Added Gemini as a translation model (for example, gemini-1.5-flash):
    lrcer = LRCer(translation=TranslationConfig(chatbot_model='gemini-1.5-flash'))
  • 2024.9.10: Now openlrc depends on a specific commit of faster-whisper, which is not published on PyPI. Install it from source:
    pip install "faster-whisper @ https://github.com/SYSTRAN/faster-whisper/archive/8327d8cc647266ed66f6cd878cf97eccface7351.tar.gz"
  • 2024.12.19: Added ModelConfig for model routing. It is more flexible than plain model-name strings. ModelConfig can be ModelConfig(provider='<provider>', name='<model-name>', base_url='<url>', proxy='<proxy>'), e.g.:
    from openlrc import LRCer, TranslationConfig, ModelConfig, ModelProvider chatbot_model1 = ModelConfig( provider=ModelProvider.OPENAI, name='deepseek-chat', base_url='https://api.deepseek.com/beta', api_key='sk-APIKEY' ) chatbot_model2 = ModelConfig( provider=ModelProvider.OPENAI, name='gpt-4o-mini', api_key='sk-APIKEY' ) lrcer = LRCer(translation=TranslationConfig(chatbot_model=chatbot_model1, retry_model=chatbot_model2))

Installation ⚙️

  1. Install CUDA 11.x and cuDNN 8 for CUDA 11 first according to https://opennmt.net/CTranslate2/installation.html to enable faster-whisper.

    faster-whisper also needs cuBLAS for CUDA 11 installed.

    For Windows Users (click to expand)

    (Windows only) You can download the libraries from Purfview's repository:

    Purfview's whisper-standalone-win provides the required NVIDIA libraries for Windows in a single archive. Decompress the archive and place the libraries in a directory included in the PATH.

  2. Add LLM API keys (recommended for most users: OPENROUTER_API_KEY):

  3. Install ffmpeg and add bin directory to your PATH.

  4. This project can be installed from PyPI:

    pip install openlrc

    or install directly from GitHub:

    pip install git+https://github.com/zh-plus/openlrc
  5. Install the latest faster-whisper from source:

    pip install "faster-whisper @ https://github.com/SYSTRAN/faster-whisper/archive/8327d8cc647266ed66f6cd878cf97eccface7351.tar.gz"
  6. Install PyTorch:

    pip install --force-reinstall torch torchvision torchaudio --index-url https://download.pytorch.org/whl/cu124
  7. Fix the typing-extensions issue:

    pip install typing-extensions -U

Usage 🐍

Python code

import os from openlrc import LRCer, TranscriptionConfig, TranslationConfig, ModelConfig, ModelProvider if __name__ == '__main__': lrcer = LRCer() # Single file lrcer.run('./data/test.mp3', target_lang='zh-cn') # Generate translated ./data/test.lrc with default translate prompt. # Multiple files lrcer.run(['./data/test1.mp3', './data/test2.mp3'], target_lang='zh-cn') # Note we run the transcription sequentially, but run the translation concurrently for each file. # Path can contain video lrcer.run(['./data/test_audio.mp3', './data/test_video.mp4'], target_lang='zh-cn') # Generate translated ./data/test_audio.lrc and ./data/test_video.srt # Use glossary to improve translation lrcer = LRCer(translation=TranslationConfig(glossary='./data/aoe4-glossary.yaml')) # To skip translation process lrcer.run('./data/test.mp3', target_lang='en', skip_trans=True) # Change asr_options or vad_options (see openlrc.defaults for details) vad_options = {"threshold": 0.1} lrcer = LRCer(transcription=TranscriptionConfig(vad_options=vad_options)) lrcer.run('./data/test.mp3', target_lang='zh-cn') # Enhance the audio using noise suppression (consume more time). lrcer.run('./data/test.mp3', target_lang='zh-cn', noise_suppress=True) # Change the translation model lrcer = LRCer(translation=TranslationConfig(chatbot_model='claude-3-sonnet-20240229')) lrcer.run('./data/test.mp3', target_lang='zh-cn') # Clear temp folder after processing done lrcer.run('./data/test.mp3', target_lang='zh-cn', clear_temp=True) # Use OpenRouter via ModelConfig (custom base_url + routed model name) openrouter_model = ModelConfig( provider=ModelProvider.OPENAI, name='anthropic/claude-3.5-haiku', base_url='https://openrouter.ai/api/v1', api_key=os.getenv('OPENROUTER_API_KEY') ) fallback_model = ModelConfig( provider=ModelProvider.OPENAI, name='openai/gpt-4.1-nano', base_url='https://openrouter.ai/api/v1', api_key=os.getenv('OPENROUTER_API_KEY') ) lrcer = LRCer( translation=TranslationConfig(chatbot_model=openrouter_model, retry_model=fallback_model) ) # Bilingual subtitle lrcer.run('./data/test.mp3', target_lang='zh-cn', bilingual_sub=True)

Check more details in Documentation.

Glossary

Add glossary to improve domain specific translation. For example aoe4-glossary.yaml:

{ "aoe4": "帝国时代4", "feudal": "封建时代", "2TC": "双TC", "English": "英格兰文明", "scout": "侦察兵" }
lrcer = LRCer(translation=TranslationConfig(glossary='./data/aoe4-glossary.yaml')) lrcer.run('./data/test.mp3', target_lang='zh-cn')

or directly use dictionary to add glossary:

lrcer = LRCer(translation=TranslationConfig(glossary={"aoe4": "帝国时代4", "feudal": "封建时代"})) lrcer.run('./data/test.mp3', target_lang='zh-cn')

Pricing 💰

pricing data from OpenAI and Anthropic

Model Name Pricing for 1M Tokens
(Input/Output) (USD)
Cost for 1 Hour Audio
(USD)
gpt-3.5-turbo 0.5, 1.5 0.01
gpt-4o-mini 0.5, 1.5 0.01
gpt-4-0125-preview 10, 30 0.5
gpt-4-turbo-preview 10, 30 0.5
gpt-4o 5, 15 0.25
claude-3-haiku-20240307 0.25, 1.25 0.015
claude-3-sonnet-20240229 3, 15 0.2
claude-3-opus-20240229 15, 75 1
claude-3-5-sonnet-20240620 3, 15 0.2
gemini-1.5-flash 0.175, 2.1 0.01
gemini-1.0-pro 0.5, 1.5 0.01
gemini-1.5-pro 1.75, 21 0.1
deepseek-chat 0.18, 2.2 0.01

Note the cost is estimated based on the token count of the input and output text. The actual cost may vary due to the language and audio speed.

Recommended translation model

For English audio, we recommend deepseek-chat, gpt-4o-mini, or gemini-1.5-flash.

For non-English audio, we recommend claude-3-5-sonnet-20240620.

How it works

To maintain context between translation segments, the process is sequential for each audio file.

Development Guide

This project uses uv for package management. Install uv with the standalone installer:

On macOS and Linux

curl -LsSf https://astral.sh/uv/install.sh | sh

On Windows

powershell -ExecutionPolicy ByPass -c "irm https://astral.sh/uv/install.ps1 | iex"

Install dependencies

uv venv uv sync

Code quality checks

Before committing, please make sure the following checks pass locally:

# Lint uv run ruff check openlrc/ tests/ # Format uv run ruff format --check openlrc/ tests/ # To auto-fix formatting: # uv run ruff format openlrc/ tests/ # Type check uv run pyright openlrc/

For live translation testing as a developer (and for CI usage), set:

export OPENROUTER_API_KEY="your-openrouter-api-key"

Build and publish a release

Use uv end-to-end for release builds and publishing:

# Build source and wheel distributions uv build # Validate the generated metadata before uploading uvx twine check dist/* # Publish to PyPI # Preferred for local publishing: uv publish # # Or publish with an explicit token: # uv publish --token <pypi-token>

If you prefer GitHub Actions publishing, configure PyPI trusted publishing for this repository and push a version tag such as v1.6.2.

Todo

  • [Efficiency] Batched translate/polish for GPT request (enable contextual ability).
  • [Efficiency] Concurrent support for GPT request.
  • [Translation Quality] Make translate prompt more robust according to https://github.com/openai/openai-cookbook.
  • [Feature] Automatically fix json encoder error using GPT.
  • [Efficiency] Asynchronously perform transcription and translation for multiple audio inputs.
  • [Quality] Improve batched translation/polish prompt according to gpt-subtrans.
  • [Feature] Input video support.
  • [Feature] Multiple output format support.
  • [Quality] Speech enhancement for input audio.
  • [Feature] Preprocessor: Voice-music separation.
  • [Feature] Align ground-truth transcription with audio.
  • [Quality] Use multilingual language model to assess translation quality.
  • [Efficiency] Add Azure OpenAI Service support.
  • [Quality] Use claude for translation.
  • [Feature] Add local LLM support.
  • [Feature] Multiple translate engine (Anthropic, Microsoft, DeepL, Google, etc.) support.
  • [Feature] Build a electron + fastapi GUI for cross-platform application.
  • [Feature] Web-based streamlit GUI.
  • Add fine-tuned whisper-large-v2 models for common languages.
  • [Feature] Add custom OpenAI & Anthropic endpoint support.
  • [Feature] Add local translation model support (e.g. SakuraLLM).
  • [Quality] Construct translation quality benchmark test for each patch.
  • [Quality] Split subtitles using LLM (ref).
  • [Quality] Trim extra long subtitle using LLM (ref).
  • [Others] Add transcribed examples.
    • Song
    • Podcast
    • Audiobook

Credits

Star History

Star History Chart

Citation

@book{openlrc2024zh,	title = {zh-plus/openlrc},	url = {https://github.com/zh-plus/openlrc},	author = {Hao, Zheng},	date = {2024-09-10},	year = {2024},	month = {9},	day = {10}, } 

About

Transcribe and translate voice into LRC file using Whisper and LLMs (GPT, Claude, et,al). 使用whisper和LLM(GPT,Claude等)来转录、翻译你的音频为字幕文件。

Topics

Resources

License

Stars

Watchers

Forks

Packages

 
 
 

Contributors

Languages