Skip to content

Commit

Permalink
Initial commit: Add core functionality for WhisperCPP Kit, including …
Browse files Browse the repository at this point in the history
…setup, transcription, and audio conversion features. Introduce project structure with .gitignore, LICENSE, README, and configuration files (pyproject.toml, requirements.txt).
  • Loading branch information
s-emanuilov committed Dec 11, 2024
0 parents commit b221de7
Show file tree
Hide file tree
Showing 7 changed files with 360 additions and 0 deletions.
36 changes: 36 additions & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
# Python
__pycache__/
*.py[cod]
*$py.class
*.so
.Python
build/
develop-eggs/
dist/
downloads/
eggs/
.eggs/
lib/
lib64/
parts/
sdist/
var/
wheels/
*.egg-info/
.installed.cfg
*.egg

# Virtual Environment
venv/
env/
ENV/

# IDE
.idea/
.vscode/
*.swp
*.swo

# Whisper specific
models/
*.wav
24 changes: 24 additions & 0 deletions LICENSE
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
MIT License

Copyright (c) 2024 Simeon Emanuilov

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

1. The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

2. When using or distributing the Software, proper attribution must be given to
the original author by citing the project name "whispercpp_kit" and its source.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
11 changes: 11 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,11 @@
# WhisperCPP Kit

A wrapper on whisper.cpp with additional helper features like management capabilities.

## Installation

```bash
git clone https://github.com/s-emanuilov/whispercpp_kit
cd whispercpp_kit
pip install -e .
```
31 changes: 31 additions & 0 deletions pyproject.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,31 @@
[build-system]
requires = ["setuptools>=45", "wheel"]
build-backend = "setuptools.build_meta"

[project]
name = "whispercpp_kit"
version = "0.1.0"
description = "A toolkit for whisper.cpp with audio processing and model management"
readme = "README.md"
authors = [{"name" = "Simeon Emanuilov", "email" = "[email protected]"}]
license = {file = "LICENSE"}
classifiers = [
"License :: OSI Approved :: MIT License",
"Programming Language :: Python :: 3",
"Programming Language :: Python :: 3.8",
"Programming Language :: Python :: 3.9",
"Programming Language :: Python :: 3.10",
"Programming Language :: Python :: 3.11",
"Programming Language :: Python :: 3.12",
]
keywords = ["whisper", "speech-to-text", "audio", "transcription"]
dependencies = [
"ffmpeg-python",
]
requires-python = ">=3.8"

[project.optional-dependencies]
dev = ["pytest"]

[project.urls]
Homepage = "https://github.com/s-emanuilov/whispercpp_kit"
1 change: 1 addition & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
python-ffmpeg==2.0.12
4 changes: 4 additions & 0 deletions src/whispercpp_kit/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
from .core import WhisperCPP, WhisperState, WhisperCPPError

__version__ = "0.1.0"
__all__ = ["WhisperCPP", "WhisperState", "WhisperCPPError"]
253 changes: 253 additions & 0 deletions src/whispercpp_kit/core.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,253 @@
import logging
import os
import platform
import shutil
import subprocess
import tempfile
from pathlib import Path
import hashlib
import ffmpeg
from typing import Optional, Union
from dataclasses import dataclass


class WhisperCPPError(Exception):
"""Base exception for WhisperCPP errors"""

pass


@dataclass
class WhisperState:
is_repo_ready: bool = False
is_built: bool = False
is_model_ready: bool = False


class WhisperCPP:
SAMPLE_RATE = 16000
DEFAULT_CACHE_DIR = Path(tempfile.gettempdir()) / "whisper-cpp-cache"
DEFAULT_LIB_DIR = Path.home() / ".whisper.cpp"

def __init__(
self,
model_path: Optional[Union[str, Path]] = None,
model_name: str = "base.en",
lib_dir: Optional[Union[str, Path]] = None,
cache_dir: Optional[Union[str, Path]] = None,
log_level: int = logging.INFO,
skip_checks: bool = False,
):
self.logger = logging.getLogger(__name__)
self.logger.setLevel(log_level)
if not self.logger.handlers:
handler = logging.StreamHandler()
handler.setFormatter(
logging.Formatter(
"%(asctime)s - %(name)s - %(levelname)s - %(message)s"
)
)
self.logger.addHandler(handler)

self.base_path = Path(lib_dir) if lib_dir else self.DEFAULT_LIB_DIR
self.cache_dir = Path(cache_dir) if cache_dir else self.DEFAULT_CACHE_DIR
self.model_path = Path(model_path) if model_path else None
self.model_name = model_name
self.state = WhisperState()

self.system = platform.system().lower()
self._setup_platform_configs()

if not skip_checks:
self._check_requirements()
self.setup()

def _setup_platform_configs(self) -> None:
self.platform_configs = {
"linux": {
"binary_name": "main",
"cmake_args": ["-DCMAKE_BUILD_TYPE=Release"],
},
"darwin": {
"binary_name": "main",
"cmake_args": ["-DCMAKE_BUILD_TYPE=Release"],
},
}

if self.system not in self.platform_configs:
raise WhisperCPPError(f"Unsupported platform: {self.system}")

self.platform_config = self.platform_configs[self.system]

def _is_binary_ready(self) -> bool:
"""Check if the whisper binary is ready"""
binary_path = (
self.base_path / "build" / "bin" / self.platform_config["binary_name"]
)
return binary_path.exists() and binary_path.is_file()

def _is_repo_valid(self) -> bool:
"""Check if the repository is valid"""
git_dir = self.base_path / ".git"
whisper_cpp = self.base_path / "CMakeLists.txt"
return git_dir.exists() and whisper_cpp.exists()

def _is_model_valid(self) -> bool:
"""Check if the model file is valid"""
if self.model_path is None:
self.model_path = self.base_path / "models" / f"ggml-{self.model_name}.bin"
return self.model_path.exists() and self.model_path.stat().st_size > 0

def check_ready(self) -> bool:
"""Check if everything is ready for transcription"""
if not all(
[self.state.is_repo_ready, self.state.is_built, self.state.is_model_ready]
):
self.state.is_repo_ready = self._is_repo_valid()
self.state.is_built = self._is_binary_ready()
self.state.is_model_ready = self._is_model_valid()

return all(
[self.state.is_repo_ready, self.state.is_built, self.state.is_model_ready]
)

def _check_requirements(self) -> None:
required_commands = ["git", "cmake", "ffmpeg"]
missing = [cmd for cmd in required_commands if not shutil.which(cmd)]
if missing:
raise WhisperCPPError(f"Missing required commands: {', '.join(missing)}")

def setup(self) -> None:
"""Setup whisper.cpp library and model only if needed"""
try:
self.base_path.mkdir(parents=True, exist_ok=True)
self.cache_dir.mkdir(parents=True, exist_ok=True)

if not self.check_ready():
if not self.state.is_repo_ready:
self._setup_repository()
if not self.state.is_model_ready:
self._setup_model()
if not self.state.is_built:
self._build_library()

# Final verification
if not self.check_ready():
raise WhisperCPPError("Setup failed: System not ready after setup")
else:
self.logger.info("System already set up and ready")

except subprocess.CalledProcessError as e:
raise WhisperCPPError(
f"Setup failed: {e.stderr.decode() if e.stderr else str(e)}"
)

def _setup_repository(self) -> None:
if not self._is_repo_valid():
self.logger.info("Setting up whisper.cpp repository...")
subprocess.run(
[
"git",
"clone",
"https://github.com/ggerganov/whisper.cpp.git",
str(self.base_path),
],
check=True,
capture_output=True,
)
self.state.is_repo_ready = True

def _setup_model(self) -> None:
if not self._is_model_valid():
self.logger.info(f"Setting up model: {self.model_name}")
model_script = self.base_path / "models" / "download-ggml-model.sh"
subprocess.run(
["bash", str(model_script), self.model_name],
cwd=self.base_path,
check=True,
capture_output=True,
)
self.state.is_model_ready = True

def _build_library(self) -> None:
if not self._is_binary_ready():
self.logger.info("Building whisper.cpp...")
build_path = self.base_path / "build"
build_path.mkdir(exist_ok=True)

subprocess.run(
["cmake", "-B", str(build_path)] + self.platform_config["cmake_args"],
cwd=self.base_path,
check=True,
capture_output=True,
)

subprocess.run(
[
"cmake",
"--build",
str(build_path),
"--config",
"Release",
"-j",
str(os.cpu_count() or 1),
],
check=True,
capture_output=True,
)
self.state.is_built = True

def transcribe(
self,
audio_path: Union[str, Path],
convert: bool = True,
language: Optional[str] = None,
translate: bool = False,
) -> str:
"""Transcribe audio file"""
if not self.check_ready():
raise WhisperCPPError("System not ready. Run setup() first")

if convert:
audio_path = self.convert_audio(audio_path)

cmd = [
str(self.base_path / "build" / "bin" / self.platform_config["binary_name"]),
"-m",
str(self.model_path),
"-f",
str(audio_path),
]

if language:
cmd.extend(["-l", language])
if translate:
cmd.append("--translate")

try:
result = subprocess.run(cmd, capture_output=True, text=True, check=True)
return result.stdout.strip()
except subprocess.CalledProcessError as e:
raise WhisperCPPError(f"Transcription failed: {e.stderr}")

def convert_audio(self, audio_path: Union[str, Path]) -> str:
"""Convert audio with caching"""
input_path = Path(audio_path)
cache_key = hashlib.md5(str(input_path.absolute()).encode()).hexdigest()
cache_path = self.cache_dir / f"{cache_key}.wav"

if cache_path.exists():
self.logger.debug("Using cached converted audio")
return str(cache_path)

try:
self.logger.debug("Converting audio...")
stream = ffmpeg.input(str(input_path))
stream = ffmpeg.output(
stream, str(cache_path), ar=self.SAMPLE_RATE, ac=1, acodec="pcm_s16le"
)
ffmpeg.run(stream, capture_stdout=True, capture_stderr=True)
return str(cache_path)
except ffmpeg.Error as e:
raise WhisperCPPError(f"Audio conversion failed: {e.stderr.decode()}")

0 comments on commit b221de7

Please sign in to comment.