File size: 12,957 Bytes
2916d61 |
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 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 |
"""
Style-Bert-VITS2-Editor用のサーバー。
次のリポジトリ
https://github.com/litagin02/Style-Bert-VITS2-Editor
をビルドしてできあがったファイルをWebフォルダに入れて実行する。
TODO: リファクタリングやドキュメンテーションやAPI整理、辞書周りの改善などが必要。
"""
import argparse
import io
import shutil
import sys
import webbrowser
import zipfile
from datetime import datetime
from io import BytesIO
from pathlib import Path
import yaml
import numpy as np
import pyopenjtalk
import requests
import torch
import uvicorn
from fastapi import APIRouter, FastAPI, HTTPException, status
from fastapi.middleware.cors import CORSMiddleware
from fastapi.responses import JSONResponse, Response
from fastapi.staticfiles import StaticFiles
from pydantic import BaseModel
from scipy.io import wavfile
from common.constants import (
DEFAULT_ASSIST_TEXT_WEIGHT,
DEFAULT_NOISE,
DEFAULT_NOISEW,
DEFAULT_SDP_RATIO,
DEFAULT_STYLE,
DEFAULT_STYLE_WEIGHT,
LATEST_VERSION,
Languages,
)
from common.log import logger
from common.tts_model import ModelHolder
from text.japanese import g2kata_tone, kata_tone2phone_tone
from text.user_dict import apply_word, update_dict, read_dict, rewrite_word, delete_word
# ---フロントエンド部分に関する処理---
# エディターのビルドファイルを配置するディレクトリ
STATIC_DIR = Path("static")
# エディターの最新のビルドファイルのダウンロード日時を記録するファイル
LAST_DOWNLOAD_FILE = STATIC_DIR / "last_download.txt"
def download_static_files(user, repo, asset_name):
"""Style-Bert-VITS2エディターの最新のビルドzipをダウンロードして展開する。"""
logger.info("Checking for new release...")
latest_release = get_latest_release(user, repo)
if latest_release is None:
logger.warning(
"Failed to fetch the latest release. Proceeding without static files."
)
return
if not new_release_available(latest_release):
logger.info("No new release available. Proceeding with existing static files.")
return
logger.info("New release available. Downloading static files...")
asset_url = get_asset_url(latest_release, asset_name)
if asset_url:
if STATIC_DIR.exists():
shutil.rmtree(STATIC_DIR)
STATIC_DIR.mkdir(parents=True, exist_ok=True)
download_and_extract(asset_url, STATIC_DIR)
save_last_download(latest_release)
else:
logger.warning("Asset not found. Proceeding without static files.")
def get_latest_release(user, repo):
url = f"https://api.github.com/repos/{user}/{repo}/releases/latest"
try:
response = requests.get(url)
response.raise_for_status()
return response.json()
except requests.RequestException:
return None
def get_asset_url(release, asset_name):
for asset in release["assets"]:
if asset["name"] == asset_name:
return asset["browser_download_url"]
return None
def download_and_extract(url, extract_to: Path):
response = requests.get(url)
response.raise_for_status()
with zipfile.ZipFile(io.BytesIO(response.content)) as zip_ref:
zip_ref.extractall(extract_to)
# 展開先が1つのディレクトリだけの場合、その中身を直下に移動する
extracted_dirs = list(extract_to.iterdir())
if len(extracted_dirs) == 1 and extracted_dirs[0].is_dir():
for file in extracted_dirs[0].iterdir():
file.rename(extract_to / file.name)
extracted_dirs[0].rmdir()
# index.htmlが存在するかチェック
if not (extract_to / "index.html").exists():
logger.warning("index.html not found in the extracted files.")
def new_release_available(latest_release):
if LAST_DOWNLOAD_FILE.exists():
with open(LAST_DOWNLOAD_FILE, "r") as file:
last_download_str = file.read().strip()
# 'Z'を除去して日時オブジェクトに変換
last_download_str = last_download_str.replace("Z", "+00:00")
last_download = datetime.fromisoformat(last_download_str)
return (
datetime.fromisoformat(
latest_release["published_at"].replace("Z", "+00:00")
)
> last_download
)
return True
def save_last_download(latest_release):
with open(LAST_DOWNLOAD_FILE, "w") as file:
file.write(latest_release["published_at"])
# ---フロントエンド部分に関する処理ここまで---
# 以降はAPIの設定
class AudioResponse(Response):
media_type = "audio/wav"
origins = [
"http://localhost:3000",
"http://localhost:8000",
"http://127.0.0.1:3000",
"http://127.0.0.1:8000",
]
# Get path settings
with open(Path("configs/paths.yml"), "r", encoding="utf-8") as f:
path_config: dict[str, str] = yaml.safe_load(f.read())
# dataset_root = path_config["dataset_root"]
assets_root = path_config["assets_root"]
parser = argparse.ArgumentParser()
parser.add_argument("--model_dir", type=str, default="model_assets/")
parser.add_argument("--device", type=str, default="cuda")
parser.add_argument("--port", type=int, default=8000)
parser.add_argument("--inbrowser", action="store_true")
parser.add_argument("--line_length", type=int, default=None)
parser.add_argument("--line_count", type=int, default=None)
parser.add_argument(
"--dir", "-d", type=str, help="Model directory", default=assets_root
)
args = parser.parse_args()
device = args.device
if device == "cuda" and not torch.cuda.is_available():
device = "cpu"
model_dir = Path(args.model_dir)
port = int(args.port)
model_holder = ModelHolder(model_dir, device)
if len(model_holder.model_names) == 0:
logger.error(f"Models not found in {model_dir}.")
sys.exit(1)
app = FastAPI()
app.add_middleware(
CORSMiddleware,
allow_origins=origins,
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
router = APIRouter()
@router.get("/version")
def version() -> str:
return LATEST_VERSION
class MoraTone(BaseModel):
mora: str
tone: int
class G2PRequest(BaseModel):
text: str
@router.post("/g2p")
async def read_item(item: G2PRequest):
try:
kata_tone_list = g2kata_tone(item.text, ignore_unknown=True)
except Exception as e:
raise HTTPException(
status_code=400,
detail=f"Failed to convert {item.text} to katakana and tone, {e}",
)
return [MoraTone(mora=kata, tone=tone) for kata, tone in kata_tone_list]
@router.get("/models_info")
def models_info():
return model_holder.models_info()
class SynthesisRequest(BaseModel):
model: str
modelFile: str
text: str
moraToneList: list[MoraTone]
style: str = DEFAULT_STYLE
styleWeight: float = DEFAULT_STYLE_WEIGHT
assistText: str = ""
assistTextWeight: float = DEFAULT_ASSIST_TEXT_WEIGHT
speed: float = 1.0
noise: float = DEFAULT_NOISE
noisew: float = DEFAULT_NOISEW
sdpRatio: float = DEFAULT_SDP_RATIO
language: Languages = Languages.JP
silenceAfter: float = 0.5
pitchScale: float = 1.0
intonationScale: float = 1.0
@router.post("/synthesis", response_class=AudioResponse)
def synthesis(request: SynthesisRequest):
if args.line_length is not None and len(request.text) > args.line_length:
raise HTTPException(
status_code=400,
detail=f"1行の文字数は{args.line_length}文字以下にしてください。",
)
try:
model = model_holder.load_model(
model_name=request.model, model_path_str=request.modelFile
)
except Exception as e:
logger.error(e)
raise HTTPException(
status_code=500,
detail=f"Failed to load model {request.model} from {request.modelFile}, {e}",
)
text = request.text
kata_tone_list = [
(mora_tone.mora, mora_tone.tone) for mora_tone in request.moraToneList
]
phone_tone = kata_tone2phone_tone(kata_tone_list)
tone = [t for _, t in phone_tone]
sr, audio = model.infer(
text=text,
language=request.language.value,
sdp_ratio=request.sdpRatio,
noise=request.noise,
noisew=request.noisew,
length=1 / request.speed,
given_tone=tone,
style=request.style,
style_weight=request.styleWeight,
assist_text=request.assistText,
assist_text_weight=request.assistTextWeight,
use_assist_text=bool(request.assistText),
line_split=False,
ignore_unknown=True,
pitch_scale=request.pitchScale,
intonation_scale=request.intonationScale,
)
with BytesIO() as wavContent:
wavfile.write(wavContent, sr, audio)
return Response(content=wavContent.getvalue(), media_type="audio/wav")
class MultiSynthesisRequest(BaseModel):
lines: list[SynthesisRequest]
@router.post("/multi_synthesis", response_class=AudioResponse)
def multi_synthesis(request: MultiSynthesisRequest):
lines = request.lines
if args.line_count is not None and len(lines) > args.line_count:
raise HTTPException(
status_code=400,
detail=f"行数は{args.line_count}行以下にしてください。",
)
audios = []
for i, req in enumerate(lines):
if args.line_length is not None and len(req.text) > args.line_length:
raise HTTPException(
status_code=400,
detail=f"1行の文字数は{args.line_length}文字以下にしてください。",
)
try:
model = model_holder.load_model(
model_name=req.model, model_path_str=req.modelFile
)
except Exception as e:
logger.error(e)
raise HTTPException(
status_code=500,
detail=f"Failed to load model {req.model} from {req.modelFile}, {e}",
)
text = req.text
kata_tone_list = [
(mora_tone.mora, mora_tone.tone) for mora_tone in req.moraToneList
]
phone_tone = kata_tone2phone_tone(kata_tone_list)
tone = [t for _, t in phone_tone]
sr, audio = model.infer(
text=text,
language=req.language.value,
sdp_ratio=req.sdpRatio,
noise=req.noise,
noisew=req.noisew,
length=1 / req.speed,
given_tone=tone,
style=req.style,
style_weight=req.styleWeight,
assist_text=req.assistText,
assist_text_weight=req.assistTextWeight,
use_assist_text=bool(req.assistText),
line_split=False,
ignore_unknown=True,
pitch_scale=req.pitchScale,
intonation_scale=req.intonationScale,
)
audios.append(audio)
if i < len(lines) - 1:
silence = int(sr * req.silenceAfter)
audios.append(np.zeros(silence, dtype=np.int16))
audio = np.concatenate(audios)
with BytesIO() as wavContent:
wavfile.write(wavContent, sr, audio)
return Response(content=wavContent.getvalue(), media_type="audio/wav")
class UserDictWordRequest(BaseModel):
surface: str
pronunciation: str
accent_type: int # アクセント核位置(存在しない場合は0、1文字目は1)
priority: int = 5
@router.get("/user_dict")
def get_user_dict():
return read_dict()
@router.post("/user_dict_word")
def add_user_dict_word(request: UserDictWordRequest):
uuid = apply_word(
surface=request.surface,
pronunciation=request.pronunciation,
accent_type=request.accent_type,
priority=request.priority,
)
update_dict()
return JSONResponse(
status_code=status.HTTP_201_CREATED,
content={"uuid": uuid},
)
@router.put("/user_dict_word/{uuid}")
def update_user_dict_word(uuid: str, request: UserDictWordRequest):
rewrite_word(
word_uuid=uuid,
surface=request.surface,
pronunciation=request.pronunciation,
accent_type=request.accent_type,
priority=request.priority,
)
update_dict()
return JSONResponse(status_code=status.HTTP_200_OK, content={"uuid": uuid})
@router.delete("/user_dict_word/{uuid}")
def delete_user_dict_word(uuid: str):
delete_word(uuid)
update_dict()
return JSONResponse(status_code=status.HTTP_200_OK, content={"uuid": uuid})
app.include_router(router, prefix="/api")
if __name__ == "__main__":
download_static_files("litagin02", "Style-Bert-VITS2-Editor", "out.zip")
app.mount("/", StaticFiles(directory=STATIC_DIR, html=True), name="static")
if args.inbrowser:
webbrowser.open(f"http://localhost:{port}")
uvicorn.run(app, host="0.0.0.0", port=port)
|