Compare commits
2 Commits
v0.1.79.0-
...
v0.1.80.0-
| Author | SHA1 | Date | |
|---|---|---|---|
| 811f617ff7 | |||
| e4828dedd0 |
@@ -1,3 +1,11 @@
|
||||
## 0.1.79.5-dev - 2026-03-11
|
||||
|
||||
- dev: Changelog-Hook auf prepare-commit-msg umgestellt
|
||||
|
||||
## 0.1.79.0-dev - 2026-03-11
|
||||
|
||||
- dev: TMDB API-Key automatisch aus Kodi-Scraper ermitteln
|
||||
|
||||
## 0.1.78.5-dev - 2026-03-11
|
||||
|
||||
- dev: Uhrzeit aus Episodentitel entfernen, tvshow-Mediatype fix
|
||||
|
||||
@@ -1,11 +1,12 @@
|
||||
<?xml version='1.0' encoding='utf-8'?>
|
||||
<addon id="plugin.video.viewit" name="ViewIt" version="0.1.79.0-dev" provider-name="ViewIt">
|
||||
<addon id="plugin.video.viewit" name="ViewIt" version="0.1.80.0-dev" provider-name="ViewIt">
|
||||
<requires>
|
||||
<import addon="xbmc.python" version="3.0.0" />
|
||||
<import addon="script.module.requests" />
|
||||
<import addon="script.module.beautifulsoup4" />
|
||||
<import addon="script.module.resolveurl" version="5.1.0" />
|
||||
<import addon="script.trakt" optional="true" />
|
||||
<import addon="script.module.yt-dlp" optional="true" />
|
||||
</requires>
|
||||
<extension point="xbmc.python.pluginsource" library="default.py">
|
||||
<provides>video</provides>
|
||||
|
||||
@@ -1209,6 +1209,7 @@ UPDATE_HTTP_TIMEOUT_SEC = 8
|
||||
UPDATE_ADDON_ID = "plugin.video.viewit"
|
||||
RESOLVEURL_ADDON_ID = "script.module.resolveurl"
|
||||
RESOLVEURL_AUTO_INSTALL_INTERVAL_SEC = 6 * 60 * 60
|
||||
YTDLP_ADDON_ID = "script.module.yt-dlp"
|
||||
|
||||
|
||||
def _selected_update_channel() -> int:
|
||||
@@ -1692,6 +1693,38 @@ def _sync_tmdb_active_key_setting() -> None:
|
||||
_set_setting_string("tmdb_api_key_active", masked)
|
||||
|
||||
|
||||
def _sync_ytdlp_status_setting() -> None:
|
||||
status = "Installiert" if _is_addon_installed(YTDLP_ADDON_ID) else "Fehlt"
|
||||
_set_setting_string("ytdlp_status", status)
|
||||
|
||||
|
||||
def _ensure_ytdlp_installed(*, force: bool, silent: bool) -> bool:
|
||||
if _is_addon_installed(YTDLP_ADDON_ID):
|
||||
_sync_ytdlp_status_setting()
|
||||
return True
|
||||
|
||||
wait_seconds = 20 if force else 0
|
||||
ok = _install_kodi_addon(YTDLP_ADDON_ID, wait_seconds=wait_seconds)
|
||||
_sync_ytdlp_status_setting()
|
||||
|
||||
if not silent:
|
||||
if ok:
|
||||
xbmcgui.Dialog().notification(
|
||||
"yt-dlp",
|
||||
"script.module.yt-dlp ist installiert.",
|
||||
xbmcgui.NOTIFICATION_INFO,
|
||||
4000,
|
||||
)
|
||||
else:
|
||||
xbmcgui.Dialog().notification(
|
||||
"yt-dlp",
|
||||
"Installation fehlgeschlagen. Bitte Repository/Netzwerk pruefen.",
|
||||
xbmcgui.NOTIFICATION_ERROR,
|
||||
5000,
|
||||
)
|
||||
return ok
|
||||
|
||||
|
||||
def _sync_update_version_settings() -> None:
|
||||
addon_version = _installed_addon_version_from_disk()
|
||||
if addon_version == "0.0.0":
|
||||
@@ -1703,6 +1736,7 @@ def _sync_update_version_settings() -> None:
|
||||
addon_version = "0.0.0"
|
||||
_set_setting_string("update_installed_version", addon_version)
|
||||
_sync_resolveurl_status_setting()
|
||||
_sync_ytdlp_status_setting()
|
||||
_sync_update_channel_status_settings()
|
||||
_sync_tmdb_active_key_setting()
|
||||
|
||||
@@ -5004,6 +5038,11 @@ def _route_install_resolveurl(params: dict[str, str]) -> None:
|
||||
_ensure_resolveurl_installed(force=True, silent=False)
|
||||
|
||||
|
||||
@_router.route("install_ytdlp")
|
||||
def _route_install_ytdlp(params: dict[str, str]) -> None:
|
||||
_ensure_ytdlp_installed(force=True, silent=False)
|
||||
|
||||
|
||||
@_router.route("choose_source")
|
||||
def _route_choose_source(params: dict[str, str]) -> None:
|
||||
_show_choose_source(params.get("title", ""), params.get("plugins", ""))
|
||||
|
||||
271
addon/plugins/youtube_plugin.py
Normal file
271
addon/plugins/youtube_plugin.py
Normal file
@@ -0,0 +1,271 @@
|
||||
"""YouTube Plugin fuer ViewIT.
|
||||
|
||||
Suche und Wiedergabe von YouTube-Videos via HTML-Scraping und yt-dlp.
|
||||
Benoetigt script.module.yt-dlp (optional).
|
||||
|
||||
Video-Eintraege werden als "Titel||VIDEO_ID" kodiert.
|
||||
"""
|
||||
|
||||
from __future__ import annotations
|
||||
|
||||
import json
|
||||
import re
|
||||
from typing import Any, Callable, Dict, List, Optional, Set
|
||||
|
||||
try:
|
||||
import requests
|
||||
except ImportError:
|
||||
requests = None # type: ignore
|
||||
|
||||
from plugin_interface import BasisPlugin
|
||||
from plugin_helpers import log_error
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Konstanten
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
DEFAULT_TIMEOUT = 20
|
||||
_SEP = "||" # Trennzeichen zwischen Titel und Video-ID
|
||||
|
||||
BASE_URL = "https://www.youtube.com"
|
||||
|
||||
HEADERS = {
|
||||
"User-Agent": (
|
||||
"Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 "
|
||||
"(KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36"
|
||||
),
|
||||
"Accept-Language": "de-DE,de;q=0.9,en;q=0.8",
|
||||
"Accept": "text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8",
|
||||
}
|
||||
|
||||
ProgressCallback = Optional[Callable[[str, Optional[int]], Any]]
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Hilfsfunktionen
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
def _encode(title: str, video_id: str) -> str:
|
||||
return f"{title}{_SEP}{video_id}"
|
||||
|
||||
|
||||
def _decode_id(entry: str) -> Optional[str]:
|
||||
"""Extrahiert Video-ID aus einem kodierten Eintrag."""
|
||||
if _SEP in entry:
|
||||
return entry.split(_SEP, 1)[1].strip()
|
||||
# Fallback: 11-Zeichen YouTube-ID am Ende
|
||||
m = re.search(r"([A-Za-z0-9_-]{11})$", entry)
|
||||
return m.group(1) if m else None
|
||||
|
||||
|
||||
def _decode_title(entry: str) -> str:
|
||||
if _SEP in entry:
|
||||
return entry.split(_SEP, 1)[0].strip()
|
||||
return entry
|
||||
|
||||
|
||||
def _get_session() -> Any:
|
||||
try:
|
||||
from http_session_pool import get_requests_session
|
||||
return get_requests_session("youtube", headers=HEADERS)
|
||||
except Exception:
|
||||
if requests:
|
||||
s = requests.Session()
|
||||
s.headers.update(HEADERS)
|
||||
return s
|
||||
return None
|
||||
|
||||
|
||||
def _extract_yt_initial_data(html: str) -> Optional[dict]:
|
||||
"""Extrahiert ytInitialData JSON aus dem HTML-Source."""
|
||||
m = re.search(r"var ytInitialData\s*=\s*(\{.*?\});\s*(?:var |</script>)", html, re.DOTALL)
|
||||
if not m:
|
||||
# Alternativer Pattern
|
||||
m = re.search(r"ytInitialData\s*=\s*(\{.+?\})\s*;", html, re.DOTALL)
|
||||
if not m:
|
||||
return None
|
||||
try:
|
||||
return json.loads(m.group(1))
|
||||
except Exception:
|
||||
return None
|
||||
|
||||
|
||||
def _videos_from_search_data(data: dict) -> List[str]:
|
||||
"""Extrahiert Video-Eintraege aus ytInitialData (Suchergebnisse)."""
|
||||
results: List[str] = []
|
||||
try:
|
||||
contents = (
|
||||
data
|
||||
.get("contents", {})
|
||||
.get("twoColumnSearchResultsRenderer", {})
|
||||
.get("primaryContents", {})
|
||||
.get("sectionListRenderer", {})
|
||||
.get("contents", [])
|
||||
)
|
||||
for section in contents:
|
||||
items = (
|
||||
section
|
||||
.get("itemSectionRenderer", {})
|
||||
.get("contents", [])
|
||||
)
|
||||
for item in items:
|
||||
vr = item.get("videoRenderer") or item.get("compactVideoRenderer")
|
||||
if not vr:
|
||||
continue
|
||||
video_id = vr.get("videoId", "").strip()
|
||||
if not video_id:
|
||||
continue
|
||||
title_runs = vr.get("title", {}).get("runs", [])
|
||||
title = "".join(r.get("text", "") for r in title_runs).strip()
|
||||
if not title:
|
||||
title = vr.get("title", {}).get("simpleText", "").strip()
|
||||
if title and video_id:
|
||||
results.append(_encode(title, video_id))
|
||||
except Exception as exc:
|
||||
log_error(f"[YouTube] _videos_from_search_data Fehler: {exc}")
|
||||
return results
|
||||
|
||||
|
||||
|
||||
def _search_with_ytdlp(query: str, count: int = 20) -> List[str]:
|
||||
"""Sucht YouTube-Videos via yt-dlp ytsearch-Extraktor."""
|
||||
try:
|
||||
from yt_dlp import YoutubeDL # type: ignore
|
||||
except ImportError:
|
||||
return []
|
||||
ydl_opts = {"quiet": True, "no_warnings": True, "extract_flat": True}
|
||||
try:
|
||||
with YoutubeDL(ydl_opts) as ydl:
|
||||
info = ydl.extract_info(f"ytsearch{count}:{query}", download=False)
|
||||
if not info:
|
||||
return []
|
||||
return [
|
||||
_encode(e["title"], e["id"])
|
||||
for e in (info.get("entries") or [])
|
||||
if e.get("id") and e.get("title")
|
||||
]
|
||||
except Exception as exc:
|
||||
log_error(f"[YouTube] yt-dlp Suche Fehler: {exc}")
|
||||
return []
|
||||
|
||||
|
||||
def _fetch_search_videos(url: str) -> List[str]:
|
||||
"""Holt Videos von einer YouTube-Suche via ytInitialData."""
|
||||
session = _get_session()
|
||||
if session is None:
|
||||
return []
|
||||
try:
|
||||
resp = session.get(url, timeout=DEFAULT_TIMEOUT)
|
||||
resp.raise_for_status()
|
||||
data = _extract_yt_initial_data(resp.text)
|
||||
if not data:
|
||||
return []
|
||||
return _videos_from_search_data(data)
|
||||
except Exception as exc:
|
||||
log_error(f"[YouTube] _fetch_search_videos ({url}): {exc}")
|
||||
return []
|
||||
|
||||
|
||||
def _resolve_with_ytdlp(video_id: str) -> Optional[str]:
|
||||
"""Loest Video-ID via yt-dlp zu direkter Stream-URL auf."""
|
||||
try:
|
||||
from yt_dlp import YoutubeDL # type: ignore
|
||||
except ImportError:
|
||||
log_error("[YouTube] yt-dlp nicht verfuegbar (script.module.yt-dlp fehlt)")
|
||||
try:
|
||||
import xbmc
|
||||
import xbmcgui
|
||||
yes = xbmcgui.Dialog().yesno(
|
||||
"yt-dlp fehlt",
|
||||
"script.module.yt-dlp ist nicht installiert.\nJetzt installieren?",
|
||||
)
|
||||
if yes:
|
||||
xbmc.executebuiltin("RunPlugin(plugin://plugin.video.viewit/?action=install_ytdlp)")
|
||||
except Exception:
|
||||
pass
|
||||
return None
|
||||
url = f"https://www.youtube.com/watch?v={video_id}"
|
||||
ydl_opts: Dict[str, Any] = {
|
||||
"format": "best[ext=mp4]/best",
|
||||
"quiet": True,
|
||||
"no_warnings": True,
|
||||
"extract_flat": False,
|
||||
}
|
||||
try:
|
||||
with YoutubeDL(ydl_opts) as ydl:
|
||||
info = ydl.extract_info(url, download=False)
|
||||
if not info:
|
||||
return None
|
||||
# Einzelnes Video
|
||||
direct = info.get("url")
|
||||
if direct:
|
||||
return direct
|
||||
# Formatauswahl
|
||||
formats = info.get("formats", [])
|
||||
if formats:
|
||||
return formats[-1].get("url")
|
||||
except Exception as exc:
|
||||
log_error(f"[YouTube] yt-dlp Fehler fuer {video_id}: {exc}")
|
||||
return None
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Plugin
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
class YoutubePlugin(BasisPlugin):
|
||||
name = "YouTube"
|
||||
|
||||
# Pseudo-Staffeln: nur Suche – Browse-Endpunkte erfordern Login
|
||||
_SEASONS = ["Suche"]
|
||||
|
||||
def capabilities(self) -> Set[str]:
|
||||
return set()
|
||||
|
||||
async def search_titles(
|
||||
self,
|
||||
query: str,
|
||||
progress_callback: ProgressCallback = None,
|
||||
) -> List[str]:
|
||||
if not query.strip():
|
||||
return []
|
||||
# Primär: yt-dlp (robust, kein HTML-Scraping)
|
||||
results = _search_with_ytdlp(query)
|
||||
if results:
|
||||
return results
|
||||
# Fallback: HTML-Scraping
|
||||
if requests is None:
|
||||
return []
|
||||
url = f"{BASE_URL}/results?search_query={requests.utils.quote(query)}" # type: ignore
|
||||
return _fetch_search_videos(url)
|
||||
|
||||
def seasons_for(self, title: str) -> List[str]:
|
||||
return list(self._SEASONS)
|
||||
|
||||
def episodes_for(self, title: str, season: str) -> List[str]:
|
||||
if season == "Suche":
|
||||
# Titel ist bereits ein kodierter Eintrag aus der Suche
|
||||
return [title]
|
||||
return []
|
||||
|
||||
def stream_link_for(self, title: str, season: str, episode: str) -> Optional[str]:
|
||||
video_id = _decode_id(episode) or _decode_id(title)
|
||||
if not video_id:
|
||||
return None
|
||||
return _resolve_with_ytdlp(video_id)
|
||||
|
||||
def resolve_stream_link(self, link: str) -> Optional[str]:
|
||||
return link # bereits direkte URL
|
||||
|
||||
def metadata_for(self, title: str):
|
||||
"""Thumbnail aus Video-ID ableiten."""
|
||||
video_id = _decode_id(title)
|
||||
clean_title = _decode_title(title)
|
||||
info: Dict[str, str] = {"title": clean_title}
|
||||
art: Dict[str, str] = {}
|
||||
if video_id:
|
||||
art["thumb"] = f"https://i.ytimg.com/vi/{video_id}/hqdefault.jpg"
|
||||
art["poster"] = f"https://i.ytimg.com/vi/{video_id}/maxresdefault.jpg"
|
||||
return info, art, None
|
||||
|
||||
|
||||
Plugin = YoutubePlugin
|
||||
@@ -123,4 +123,9 @@
|
||||
<setting id="show_url_info_filmpalast" type="bool" label="Filmpalast: Aktuelle URL anzeigen" default="false" />
|
||||
<setting id="log_errors_filmpalast" type="bool" label="Filmpalast: Fehler mitschreiben" default="false" />
|
||||
</category>
|
||||
<category label="YouTube">
|
||||
<setting id="install_ytdlp" type="action" label="yt-dlp installieren/reparieren" action="RunPlugin(plugin://plugin.video.viewit/?action=install_ytdlp)" option="close" />
|
||||
<setting id="ytdlp_status" type="text" label="yt-dlp Status" default="-" enable="false" />
|
||||
</category>
|
||||
|
||||
</settings>
|
||||
|
||||
@@ -15,19 +15,3 @@ msg=$(cat "$1")
|
||||
updated_msg=$(echo "$msg" | sed -E "s/bump to [0-9]+\.[0-9]+\.[0-9]+(\.[0-9]+)?[^ ]*/bump to ${version}/g")
|
||||
echo "$updated_msg" > "$1"
|
||||
|
||||
today=$(date +%Y-%m-%d)
|
||||
|
||||
# Changelog-Eintrag aufbauen
|
||||
{
|
||||
echo "## ${version} - ${today}"
|
||||
echo ""
|
||||
while IFS= read -r line; do
|
||||
[[ -z "$line" ]] && continue
|
||||
echo "- ${line}"
|
||||
done <<< "$updated_msg"
|
||||
echo ""
|
||||
cat CHANGELOG-DEV.md
|
||||
} > /tmp/changelog_new.md
|
||||
|
||||
mv /tmp/changelog_new.md CHANGELOG-DEV.md
|
||||
git add CHANGELOG-DEV.md
|
||||
|
||||
43
scripts/hooks/prepare-commit-msg
Executable file
43
scripts/hooks/prepare-commit-msg
Executable file
@@ -0,0 +1,43 @@
|
||||
#!/bin/bash
|
||||
# prepare-commit-msg: Changelog-Eintrag in CHANGELOG-DEV.md schreiben (nur dev-Branch)
|
||||
# Laeuft nach pre-commit (Version bereits gebumpt) und vor commit-msg.
|
||||
# git add funktioniert hier zuverlässig für den aktuellen Commit.
|
||||
|
||||
branch=$(git symbolic-ref --short HEAD 2>/dev/null)
|
||||
[[ "$branch" != "dev" ]] && exit 0
|
||||
|
||||
root=$(git rev-parse --show-toplevel)
|
||||
cd "$root"
|
||||
|
||||
# Nur bei normalem Commit (nicht amend, merge, squash)
|
||||
commit_type="${2:-}"
|
||||
[[ "$commit_type" == "merge" || "$commit_type" == "squash" ]] && exit 0
|
||||
|
||||
# Aktuelle Version aus addon.xml (bereits vom pre-commit Hook hochgezaehlt)
|
||||
version=$(grep -oP 'version="\K[0-9]+\.[0-9]+\.[0-9]+(\.[0-9]+)?[^"]*' addon/addon.xml | head -1)
|
||||
[[ -z "$version" ]] && exit 0
|
||||
|
||||
# Commit-Message aus der Datei lesen (bereits vom User eingegeben oder per -m übergeben)
|
||||
msg=$(cat "$1")
|
||||
# Kommentarzeilen entfernen
|
||||
msg=$(echo "$msg" | grep -v '^#' | sed '/^[[:space:]]*$/d' | head -1)
|
||||
[[ -z "$msg" ]] && exit 0
|
||||
|
||||
today=$(date +%Y-%m-%d)
|
||||
|
||||
# Prüfen ob dieser Versions-Eintrag bereits existiert (Doppel-Eintrag verhindern)
|
||||
if grep -q "^## ${version} " CHANGELOG-DEV.md 2>/dev/null; then
|
||||
exit 0
|
||||
fi
|
||||
|
||||
# Changelog-Eintrag aufbauen und prependen
|
||||
{
|
||||
echo "## ${version} - ${today}"
|
||||
echo ""
|
||||
echo "- ${msg}"
|
||||
echo ""
|
||||
cat CHANGELOG-DEV.md
|
||||
} > /tmp/changelog_new.md
|
||||
|
||||
mv /tmp/changelog_new.md CHANGELOG-DEV.md
|
||||
git add CHANGELOG-DEV.md
|
||||
Reference in New Issue
Block a user