iptv/M3U8/scrapers/livetvsx.py

342 lines
9.1 KiB
Python
Raw Normal View History

2025-09-01 19:12:49 -04:00
import asyncio
2025-09-02 18:06:35 -04:00
import io
import ssl
import xml.etree.ElementTree as ET
2025-10-01 11:57:49 -04:00
from datetime import timedelta
2025-09-04 19:53:27 -04:00
from functools import partial
2025-09-02 18:06:35 -04:00
from pathlib import Path
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
import httpx
2025-10-09 20:18:37 -04:00
from playwright.async_api import BrowserContext, async_playwright
2025-09-04 19:53:27 -04:00
2025-10-01 11:57:49 -04:00
from .utils import Cache, Time, get_logger, leagues, network
2025-09-01 19:12:49 -04:00
log = get_logger(__name__)
2025-09-04 14:50:52 -04:00
urls: dict[str, dict[str, str | float]] = {}
2025-09-02 18:06:35 -04:00
BASE_URL = "https://cdn.livetv861.me/rss/upcoming_en.xml"
2025-09-19 00:38:21 -04:00
CERT_BUNDLE_URLS = [
2025-09-02 18:06:35 -04:00
"https://curl.se/ca/cacert.pem",
"https://ssl.com/repo/certs/Cloudflare-TLS-I-E1.pem",
"https://ssl.com/repo/certs/SSL.com-TLS-T-ECC-R2.pem",
"https://ssl.com/repo/certs/Sectigo-AAA-Root.pem",
]
2025-09-19 00:38:21 -04:00
CERT_FILE = Path(__file__).parent / "caches" / "cached-cert.pem"
2025-09-01 19:12:49 -04:00
2025-10-01 11:57:49 -04:00
CACHE_FILE = Cache(Path(__file__).parent / "caches" / "livetvsx.json", exp=10_800)
2025-09-01 19:12:49 -04:00
2025-09-08 12:02:36 -04:00
async def write_to_cert(
client: httpx.AsyncClient,
url: str,
cert: Path,
) -> None:
2025-09-02 18:06:35 -04:00
try:
r = await client.get(url)
r.raise_for_status()
except Exception:
log.error(f"Failed to write fetch: {url} returned {r.status_code}")
with cert.open("a", encoding="utf-8") as f:
f.write(f"{r.text}\n")
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
async def refresh_cert_cache(client: httpx.AsyncClient) -> ssl.SSLContext:
CERT_FILE.unlink(missing_ok=True)
2025-09-01 19:12:49 -04:00
2025-09-19 00:38:21 -04:00
tasks = [write_to_cert(client, url, CERT_FILE) for url in CERT_BUNDLE_URLS]
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
await asyncio.gather(*tasks)
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
async def get_cert(client: httpx.AsyncClient) -> ssl.SSLContext:
if CERT_FILE.is_file():
2025-10-01 11:57:49 -04:00
mtime = Time.from_ts(CERT_FILE.stat().st_mtime)
2025-09-02 18:06:35 -04:00
2025-10-01 11:57:49 -04:00
if Time.now() - mtime < timedelta(days=30):
2025-09-02 18:06:35 -04:00
return ssl.create_default_context(cafile=CERT_FILE)
log.info("Refreshing cached certificate")
await refresh_cert_cache(client)
return ssl.create_default_context(cafile=CERT_FILE)
2025-09-05 10:42:42 -04:00
async def fetch_xml_stream(url: str, ssl_ctx: ssl.SSLContext) -> io.BytesIO | None:
2025-09-02 18:06:35 -04:00
buffer = io.BytesIO()
2025-09-01 19:12:49 -04:00
try:
2025-09-15 09:26:20 -04:00
async with httpx.AsyncClient(
timeout=10,
verify=ssl_ctx,
follow_redirects=True,
) as client:
2025-09-02 18:06:35 -04:00
async with client.stream("GET", url) as r:
r.raise_for_status()
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
async for chunk in r.aiter_bytes(8192):
buffer.write(chunk)
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
buffer.seek(0)
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
return buffer
except Exception as e:
log.error(f"Failed to fetch {url}: {e}")
2025-09-05 10:42:42 -04:00
return
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
async def process_event(
url: str,
url_num: int,
context: BrowserContext,
) -> str | None:
page = await context.new_page()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
captured: list[str] = []
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
got_one = asyncio.Event()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
handler = partial(network.capture_req, captured=captured, got_one=got_one)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
popup = None
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
try:
await page.goto(
url,
wait_until="domcontentloaded",
timeout=10_000,
)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
btn = await page.query_selector(".lnkhdr > tbody > tr > td:nth-child(2)")
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
if btn:
try:
await btn.click()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
await page.wait_for_timeout(500)
except Exception as e:
log.debug(f"URL {url_num}) Failed to click Browser Links tab: {e}")
2025-09-03 00:00:22 -04:00
return
2025-10-09 20:18:37 -04:00
else:
log.warning(f"URL {url_num}) Browser Links tab not found")
return
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
link_img = await page.query_selector(
"tr:nth-child(2) > td:nth-child(1) td:nth-child(6) img"
)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
if not link_img:
log.warning(f"URL {url_num}) No browser link to click.")
return
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
page.on("request", handler)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
try:
async with page.expect_popup(timeout=5_000) as popup_info:
2025-09-02 18:06:35 -04:00
try:
await link_img.click()
except Exception as e:
2025-10-09 20:18:37 -04:00
log.debug(f"URL {url_num}) Click failed: {e}")
popup = await popup_info.value
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
popup.on("request", handler)
except Exception:
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
try:
2025-10-09 20:18:37 -04:00
await link_img.click()
except Exception as e:
log.debug(f"URL {url_num}) Fallback click failed: {e}")
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
wait_task = asyncio.create_task(got_one.wait())
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
try:
await asyncio.wait_for(wait_task, timeout=15)
except asyncio.TimeoutError:
log.warning(f"URL {url_num}) Timed out waiting for M3U8.")
return
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
finally:
if not wait_task.done():
wait_task.cancel()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
try:
await wait_task
except asyncio.CancelledError:
pass
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
page.remove_listener("request", handler)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
if popup:
popup.remove_listener("request", handler)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
await popup.close()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
await page.close()
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
if captured:
log.info(f"URL {url_num}) Captured M3U8")
2025-10-01 11:57:49 -04:00
2025-10-09 20:18:37 -04:00
return captured[-1]
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
log.warning(f"URL {url_num}) No M3U8 captured")
return
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
except Exception:
try:
page.remove_listener("request", handler)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
if popup:
popup.remove_listener("request", handler)
2025-09-01 19:12:49 -04:00
2025-10-09 20:18:37 -04:00
await popup.close()
await page.close()
except Exception:
pass
2025-09-01 19:12:49 -04:00
2025-09-02 18:06:35 -04:00
2025-09-03 18:41:07 -04:00
async def get_events(
url: str,
ssl_ctx: ssl.SSLContext,
cached_keys: set[str],
) -> list[dict[str, str]]:
events: list[dict[str, str]] = []
2025-09-11 14:55:53 -04:00
2025-10-02 12:57:25 -04:00
now = Time.clean(Time.now())
2025-10-01 11:57:49 -04:00
start_dt = now.delta(minutes=-30)
end_dt = now.delta(minutes=30)
2025-09-05 12:00:23 -04:00
2025-10-01 11:57:49 -04:00
if not (buffer := await fetch_xml_stream(url, ssl_ctx)):
return events
2025-09-03 18:41:07 -04:00
2025-10-01 11:57:49 -04:00
for _, elem in ET.iterparse(buffer, events=("end",)):
if elem.tag == "item":
title = elem.findtext("title") or ""
desc = elem.findtext("description") or ""
pub_date = elem.findtext("pubDate") or ""
link = elem.findtext("link") or ""
if not all([title, pub_date, link]):
elem.clear()
continue
try:
2025-10-01 14:56:15 -04:00
event_dt = Time.from_str(pub_date)
2025-10-01 11:57:49 -04:00
except Exception:
elem.clear()
continue
if not start_dt <= event_dt <= end_dt:
elem.clear()
continue
if desc:
parts = desc.split(".")
sport = parts[0].strip() if parts else ""
event = parts[1].strip() if parts else ""
else:
sport, event = "", ""
key = f"[{sport}: {event}] {title} (LTVSX)"
2025-09-03 18:41:07 -04:00
2025-10-01 11:57:49 -04:00
if cached_keys & {key}:
2025-09-05 10:42:42 -04:00
elem.clear()
2025-10-01 11:57:49 -04:00
continue
events.append(
{
"sport": sport,
"event": event,
"title": title,
"link": link,
"timestamp": event_dt.timestamp(),
}
)
elem.clear()
2025-09-03 18:41:07 -04:00
return events
2025-09-20 23:26:18 -04:00
async def scrape(client: httpx.AsyncClient) -> None:
2025-10-01 11:57:49 -04:00
cached_urls = CACHE_FILE.load()
2025-09-03 00:00:22 -04:00
cached_count = len(cached_urls)
2025-10-10 22:23:30 -04:00
urls.update({k: v for k, v in cached_urls.items() if v["url"]})
2025-09-03 00:00:22 -04:00
2025-10-01 11:57:49 -04:00
log.info(f"Loaded {cached_count} event(s) from cache")
2025-09-04 14:50:52 -04:00
2025-09-08 12:02:36 -04:00
log.info(f'Scraping from "{BASE_URL}"')
2025-10-01 11:57:49 -04:00
ssl_ctx = await get_cert(client)
if not ssl_ctx:
log.error("Failed to create SSL context, aborting")
CACHE_FILE.write(cached_urls)
return
2025-09-08 12:02:36 -04:00
events = await get_events(
BASE_URL,
2025-10-01 11:57:49 -04:00
ssl_ctx,
2025-09-08 12:02:36 -04:00
set(cached_urls.keys()),
)
2025-09-03 00:00:22 -04:00
2025-09-05 15:56:07 -04:00
log.info(f"Processing {len(events)} new URL(s)")
2025-09-02 18:06:35 -04:00
2025-10-09 20:18:37 -04:00
async with async_playwright() as p:
browser, context = await network.browser(p, ignore_https_errors=True)
2025-09-02 18:06:35 -04:00
2025-10-09 20:18:37 -04:00
for i, ev in enumerate(events, start=1):
link = ev["link"]
url = await network.safe_process(
lambda: process_event(
link,
url_num=i,
context=context,
),
url_num=i,
log=log,
2025-10-01 11:57:49 -04:00
)
2025-09-19 02:05:40 -04:00
2025-10-10 19:52:08 -04:00
sport, event, title, ts = (
ev["sport"],
ev["event"],
ev["title"],
ev["timestamp"],
)
key = f"[{sport}: {event}] {title} (LTVSX)"
2025-10-09 20:18:37 -04:00
2025-10-10 19:52:08 -04:00
tvg_id, logo = leagues.info(event)
if not tvg_id:
tvg_id, logo = leagues.info(sport)
entry = {
"url": url,
"logo": logo,
"id": tvg_id or "Live.Event.us",
"base": "https://livetv.sx/enx/",
"timestamp": ts,
}
cached_urls[key] = entry
if url:
urls[key] = entry
2025-10-09 20:18:37 -04:00
await browser.close()
2025-09-03 00:00:22 -04:00
2025-09-09 13:34:16 -04:00
if new_count := len(cached_urls) - cached_count:
2025-09-05 15:56:07 -04:00
log.info(f"Collected and cached {new_count} new event(s)")
else:
log.info("No new events found")
2025-09-11 14:55:53 -04:00
2025-10-01 11:57:49 -04:00
CACHE_FILE.write(cached_urls)