1
0
mirror of https://github.com/spaam/svtplay-dl.git synced 2024-11-24 12:15:40 +01:00
svtplay-dl/lib/svtplay_dl/subtitle/__init__.py

470 lines
16 KiB
Python
Raw Normal View History

2014-04-21 19:52:09 +02:00
import json
2018-11-18 12:47:19 +01:00
import logging
2019-08-25 00:40:39 +02:00
import re
import xml.etree.ElementTree as ET
2018-01-30 22:09:31 +01:00
from io import StringIO
from requests import __build__ as requests_version
2019-08-25 00:40:39 +02:00
from svtplay_dl.utils.http import get_full_url
from svtplay_dl.utils.http import HTTP
from svtplay_dl.utils.output import find_dupes
from svtplay_dl.utils.output import formatname
2019-08-25 00:40:39 +02:00
from svtplay_dl.utils.text import decode_html_entities
2014-04-21 19:52:09 +02:00
2015-01-25 14:41:29 +01:00
2019-08-25 00:33:51 +02:00
class subtitle:
2018-05-08 22:46:11 +02:00
def __init__(self, config, subtype, url, subfix=None, **kwargs):
2014-04-21 19:52:09 +02:00
self.url = url
self.subtitle = None
2018-05-08 22:46:11 +02:00
self.config = config
self.subtype = subtype
2018-05-08 22:46:11 +02:00
self.http = HTTP(config)
self.subfix = subfix
self.bom = False
2018-05-13 13:06:45 +02:00
self.output = kwargs.pop("output", None)
self.kwargs = kwargs
2014-04-21 19:52:09 +02:00
2018-05-12 15:12:37 +02:00
def __repr__(self):
2021-02-28 22:05:15 +01:00
return f"<Subtitle(type={self.subtype}, url={self.url}>"
2018-05-12 15:12:37 +02:00
def download(self):
output_ext = "srt"
if self.config.get("get_raw_subtitles"):
output_ext = self.subtype
if self.subfix and self.config.get("get_all_subtitles"):
self.output["ext"] = f"{self.subfix}.{output_ext}"
else:
self.output["ext"] = output_ext
dupe, fileame = find_dupes(self.output, self.config, False)
if dupe and not self.config.get("force_subtitle"):
logging.warning(f"File ({fileame.name}) already exists. Use --force-subtitle to overwrite")
return
subdata = self.http.request("get", self.url)
if subdata.status_code != 200:
2018-11-18 12:47:19 +01:00
logging.warning("Can't download subtitle file")
return
data = None
if "mtgx" in self.url and subdata.content[:3] == b"\xef\xbb\xbf":
subdata.encoding = "utf-8"
self.bom = True
if self.subtype == "tt":
data = self.tt(subdata)
if self.subtype == "json":
data = self.json(subdata)
if self.subtype == "sami":
data = self.sami(subdata)
if self.subtype == "smi":
data = self.smi(subdata)
if self.subtype == "wrst":
2017-09-17 11:21:04 +02:00
if "tv4play" in self.url and subdata.content[:3] == b"\xef\xbb\xbf":
self.bom = True
subdata.encoding = subdata.apparent_encoding
data = self.wrst(subdata)
if self.subtype == "wrstsegment":
data = self.wrstsegment(subdata)
2015-10-30 00:51:35 +01:00
if self.subtype == "raw":
data = self.raw(subdata)
if self.subtype == "stpp":
data = self.stpp(subdata)
2018-01-30 20:11:37 +01:00
if self.config.get("get_raw_subtitles"):
data = self.raw(subdata)
2018-01-30 20:11:37 +01:00
self.save_file(data)
2018-01-30 20:11:37 +01:00
def save_file(self, data):
filename = formatname(self.output, self.config)
with open(filename, "w", encoding="utf-8") as file_d:
file_d.write(data)
2018-01-30 20:11:37 +01:00
def raw(self, subdata):
2018-01-13 20:27:40 +01:00
return subdata.text
2018-01-30 20:11:37 +01:00
def tt(self, subdata):
2014-04-21 19:52:09 +02:00
i = 1
2018-01-13 20:27:40 +01:00
subs = subdata.text
return self._tt(subs, i)
2016-01-27 19:49:38 +01:00
def _tt(self, subs, i):
data = ""
2019-08-25 00:27:31 +02:00
subdata = re.sub(' xmlns="[^"]+"', "", subs, count=1)
2015-10-10 16:31:42 +02:00
tree = ET.XML(subdata)
xml = tree.find("body").find("div")
if not xml:
return data
2015-10-10 16:31:42 +02:00
plist = list(xml.findall("p"))
for node in plist:
2014-04-21 19:52:09 +02:00
tag = norm(node.tag)
if tag == "p" or tag == "span":
2014-04-21 19:52:09 +02:00
begin = node.attrib["begin"]
if not ("dur" in node.attrib):
if "end" not in node.attrib:
duration = node.attrib["duration"]
2014-04-21 19:52:09 +02:00
else:
duration = node.attrib["dur"]
if not ("end" in node.attrib):
begin2 = begin.split(":")
duration2 = duration.split(":")
try:
sec = float(begin2[2]) + float(duration2[2])
except ValueError:
sec = 0.000
end = "%02d:%02d:%06.3f" % (int(begin2[0]), int(begin2[1]), sec)
2014-04-21 19:52:09 +02:00
else:
end = node.attrib["end"]
data += "{}\n{} --> {}\n".format(i, begin.replace(".", ","), end.replace(".", ","))
data = tt_text(node, data)
data += "\n"
2014-04-21 19:52:09 +02:00
i += 1
2018-01-13 20:27:40 +01:00
return data
2014-04-21 19:52:09 +02:00
def json(self, subdata):
data = json.loads(subdata.text)
2014-04-21 19:52:09 +02:00
number = 1
subs = ""
for i in data:
subs += "{}\n{} --> {}\n".format(number, timestr(int(i["startMillis"])), timestr(int(i["endMillis"])))
2018-01-13 20:27:40 +01:00
subs += "%s\n\n" % i["text"]
2014-04-21 19:52:09 +02:00
number += 1
return subs
2014-04-21 19:52:09 +02:00
def sami(self, subdata):
2016-06-01 22:43:39 +02:00
text = subdata.text
2019-08-25 00:27:31 +02:00
text = re.sub(r"&", "&amp;", text)
2016-06-01 22:43:39 +02:00
tree = ET.fromstring(text)
allsubs = tree.findall(".//Subtitle")
2014-04-21 19:52:09 +02:00
subs = ""
increase = 0
for sub in allsubs:
try:
number = int(sub.attrib["SpotNumber"])
except ValueError:
number = int(re.search(r"(\d+)", sub.attrib["SpotNumber"]).group(1))
increase += 1
n = number + increase
texts = sub.findall(".//Text")
all = ""
for text in texts:
line = ""
for txt in text.itertext():
2021-02-28 22:05:15 +01:00
line += f"{txt}"
2021-04-27 19:44:09 +02:00
all += f"{decode_html_entities(line.lstrip())}\n"
subs += "{}\n{} --> {}\n{}\n".format(n, timecolon(sub.attrib["TimeIn"]), timecolon(sub.attrib["TimeOut"]), all)
2019-08-25 00:27:31 +02:00
subs = re.sub("&amp;", r"&", subs)
return subs
2014-04-21 19:52:09 +02:00
def smi(self, subdata):
if requests_version < 0x20300:
2018-01-13 20:27:40 +01:00
subdata = subdata.content.decode("latin")
else:
subdata.encoding = "ISO-8859-1"
subdata = subdata.text
ssubdata = StringIO(subdata)
timea = 0
2014-04-21 19:52:09 +02:00
number = 1
data = None
2014-04-21 19:52:09 +02:00
subs = ""
2019-08-25 00:27:31 +02:00
TAG_RE = re.compile(r"<(?!\/?i).*?>")
bad_char = re.compile(r"\x96")
for i in ssubdata.readlines():
2015-05-01 22:34:02 +02:00
i = i.rstrip()
2015-04-28 23:16:44 +02:00
sync = re.search(r"<SYNC Start=(\d+)>", i)
if sync:
if int(sync.group(1)) != int(timea):
2015-05-01 22:34:02 +02:00
if data and data != "&nbsp;":
2021-04-27 19:44:09 +02:00
subs += f"{number}\n{timestr(timea)} --> {timestr(sync.group(1))}\n"
2019-08-25 00:27:31 +02:00
text = "%s\n" % TAG_RE.sub("", data.replace("<br>", "\n"))
text = decode_html_entities(text)
2018-01-30 20:11:37 +01:00
if text[len(text) - 2] != "\n":
2015-05-01 22:34:02 +02:00
text += "\n"
subs += text
number += 1
timea = sync.group(1)
text = re.search("<P Class=SVCC>(.*)", i)
if text:
data = text.group(1)
2019-08-25 00:27:31 +02:00
recomp = re.compile(r"\r")
text = bad_char.sub("-", recomp.sub("", subs))
return text
2014-04-21 19:52:09 +02:00
def wrst(self, subdata):
ssubdata = StringIO(subdata.text)
2014-04-21 19:52:09 +02:00
srt = ""
subtract = False
2015-03-01 21:44:55 +01:00
number_b = 1
number = 0
block = 0
subnr = False
2015-03-01 21:44:55 +01:00
for i in ssubdata.readlines():
2015-04-28 23:16:44 +02:00
match = re.search(r"^[\r\n]+", i)
match2 = re.search(r"([\d:\.]+ --> [\d:\.]+)", i)
match3 = re.search(r"^(\d+)\s", i)
2015-03-01 21:44:55 +01:00
if i[:6] == "WEBVTT":
continue
elif "X-TIMESTAMP" in i:
continue
elif match and number_b == 1 and self.bom:
continue
2015-03-01 21:44:55 +01:00
elif match and number_b > 1:
block = 0
srt += "\n"
elif match2:
if not subnr:
srt += "%s\n" % number_b
matchx = re.search(r"(?P<h1>\d+):(?P<m1>\d+):(?P<s1>[\d\.]+) --> (?P<h2>\d+):(?P<m2>\d+):(?P<s2>[\d\.]+)", i)
if matchx:
hour1 = int(matchx.group("h1"))
hour2 = int(matchx.group("h2"))
if int(number) == 1:
if hour1 > 9:
subtract = True
if subtract:
hour1 -= 10
hour2 -= 10
else:
matchx = re.search(r"(?P<m1>\d+):(?P<s1>[\d\.]+) --> (?P<m2>\d+):(?P<s2>[\d\.]+)", i)
hour1 = 0
hour2 = 0
2019-08-25 00:33:51 +02:00
time = "{:02d}:{}:{} --> {:02d}:{}:{}\n".format(
2020-12-26 13:10:56 +01:00
hour1,
matchx.group("m1"),
matchx.group("s1").replace(".", ","),
hour2,
matchx.group("m2"),
matchx.group("s2").replace(".", ","),
2019-08-25 00:27:31 +02:00
)
2015-03-01 21:44:55 +01:00
srt += time
block = 1
subnr = False
number_b += 1
elif match3 and block == 0:
number = match3.group(1)
srt += "%s\n" % number
subnr = True
else:
if self.config.get("convert_subtitle_colors"):
colors = {
2019-08-25 00:27:31 +02:00
"30": "#000000",
"31": "#ff0000",
"32": "#00ff00",
"33": "#ffff00",
"34": "#0000ff",
"35": "#ff00ff",
"36": "#00ffff",
"37": "#ffffff",
"c.black": "#000000",
"c.red": "#ff0000",
"c.green": "#00ff00",
"c.yellow": "#ffff00",
"c.blue": "#0000ff",
"c.magenta": "#ff00ff",
2019-08-25 00:27:31 +02:00
"c.cyan": "#00ffff",
"c.gray": "#ffffff",
}
sub = i
for tag, color in colors.items():
2019-08-25 00:27:31 +02:00
regex1 = "<" + tag + ">"
replace = '<font color="' + color + '">'
sub = re.sub(regex1, replace, sub)
2018-01-30 20:11:37 +01:00
2019-08-25 00:27:31 +02:00
sub = re.sub("</.+>", "</font>", sub)
else:
2019-08-25 00:27:31 +02:00
sub = re.sub("<[^>]*>", "", i)
2016-04-20 18:42:46 +02:00
srt += sub.strip()
2018-01-30 20:11:37 +01:00
srt += "\n"
srt = decode_html_entities(srt)
return srt
def wrstsegment(self, subdata):
time = 0
subs = []
for i in self.kwargs["m3u8"].media_segment:
itemurl = get_full_url(i["URI"], self.url)
cont = self.http.get(itemurl)
if "cmore" in self.url:
cont.encoding = "utf-8"
if "mtgx" in self.url:
cont.encoding = "utf-8"
if "viaplay" in self.url:
cont.encoding = "utf-8"
2021-10-20 15:01:07 +02:00
if "dr" in self.url:
cont.encoding = "utf-8"
text = cont.text.split("\n")
for t in text: # is in text[1] for tv4play, but this should be more future proof
2019-08-25 00:27:31 +02:00
if "X-TIMESTAMP-MAP=MPEGTS" in t:
time = float(re.search(r"X-TIMESTAMP-MAP=MPEGTS:(\d+)", t).group(1)) / 90000 - 10
2019-08-25 00:27:31 +02:00
text = text[3 : len(text) - 2]
itmes = []
if len(text) > 1:
for n in text:
if n: # don't get the empty lines.
itmes.append(n)
several_items = False
skip = False
pre_date_skip = True
sub = []
for x in range(len(itmes)):
item = itmes[x]
if strdate(item) and len(subs) > 0 and itmes[x + 1] == subs[-1][1]:
ha = strdate(subs[-1][0])
ha3 = strdate(item)
second = str2sec(ha3.group(2)) + time
subs[-1][0] = f"{ha.group(1).replace('.', ',')} --> {sec2str(second).replace('.', ',')}"
skip = True
pre_date_skip = False
continue
has_date = strdate(item)
if has_date:
if several_items:
subs.append(sub)
sub = []
skip = False
first = str2sec(has_date.group(1)) + time
second = str2sec(has_date.group(2)) + time
sub.append(f"{sec2str(first).replace('.', ',')} --> {sec2str(second).replace('.', ',')}")
several_items = True
pre_date_skip = False
elif has_date is None and skip is False and pre_date_skip is False:
sub.append(item)
if sub:
subs.append(sub)
string = ""
nr = 1
for sub in subs:
2019-08-25 00:27:31 +02:00
string += "{}\n{}\n\n".format(nr, "\n".join(sub))
nr += 1
2021-10-20 15:01:07 +02:00
string = re.sub("\r", "", string)
return string
def stpp(self, subdata):
nr = 1
entries = []
for i in self.kwargs["files"]:
res = self.http.get(i)
start = res.content.find(b"mdat") + 4
if start > 3:
_data = self._tt(res.content[start:].decode(), nr)
if _data:
entries.append(_data.split("\n\n"))
nr += 1
new_entries = []
for entry in entries:
for i in entry:
if i:
new_entries.append(i.split("\n"))
entries = new_entries
changed = True
while changed:
changed, entries = _resolv(entries)
nr = 1
data = ""
for entry in entries:
for item in entry:
data += f"{item}\n"
data += "\n"
return data
def _resolv(entries):
skip = False
changed = False
new_entries = []
for nr, i in enumerate(entries):
if skip:
skip = False
continue
time_match = strdate(i[1].replace(",", "."))
time_match_next = None
if nr + 1 < len(entries):
time_match_next = strdate(entries[nr + 1][1].replace(",", "."))
left_time = time_match.group(1)
right_time = time_match.group(2)
if time_match_next and time_match.group(2) == time_match_next.group(1):
right_time = time_match_next.group(2)
skip = True
changed = True
next_entries = [nr + 1, f"{left_time} --> {right_time}"]
next_entries.extend(i[2:])
new_entries.append(next_entries)
return changed, new_entries
2015-09-15 20:10:32 +02:00
2014-04-21 19:52:09 +02:00
def timestr(msec):
"""
Convert a millisecond value to a string of the following
format:
HH:MM:SS,SS
with 10 millisecond precision. Note the , seperator in
the seconds.
"""
sec = float(msec) / 1000
hours = int(sec / 3600)
sec -= hours * 3600
minutes = int(sec / 60)
sec -= minutes * 60
2016-06-03 00:09:11 +02:00
output = "%02d:%02d:%06.3f" % (hours, minutes, sec)
2014-04-21 19:52:09 +02:00
return output.replace(".", ",")
2015-09-15 20:10:32 +02:00
def timecolon(data):
2014-12-22 10:20:37 +01:00
match = re.search(r"(\d+:\d+:\d+):(\d+)", data)
2021-04-27 19:44:09 +02:00
return f"{match.group(1)},{match.group(2)}"
2015-09-15 20:10:32 +02:00
2014-04-21 19:52:09 +02:00
def norm(name):
if name[0] == "{":
_, tag = name[1:].split("}")
return tag
else:
return name
2015-09-15 20:10:32 +02:00
def tt_text(node, data):
if node.text:
2019-08-25 00:27:31 +02:00
data += "%s\n" % node.text.strip(" \t\n\r")
for i in node:
if i.text:
2019-08-25 00:27:31 +02:00
data += "%s\n" % i.text.strip(" \t\n\r")
if i.tail:
2019-08-25 00:27:31 +02:00
text = i.tail.strip(" \t\n\r")
if text:
data += "%s\n" % text
2015-01-05 21:52:34 +01:00
return data
def strdate(datestring):
match = re.search(r"^(\d+:\d+:[\.,0-9]+) --> (\d+:\d+:[\.,0-9]+)", datestring)
return match
def sec2str(seconds):
m, s = divmod(seconds, 60)
h, m = divmod(m, 60)
2021-04-27 19:44:09 +02:00
return f"{int(h):02d}:{int(m):02d}:{s:06.3f}"
def str2sec(string):
return sum(x * float(t) for x, t in zip([3600, 60, 1], string.split(":")))