utils.py 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856
  1. # SPDX-License-Identifier: AGPL-3.0-or-later
  2. """Utility functions for the engines"""
  3. from __future__ import annotations
  4. import re
  5. import importlib
  6. import importlib.util
  7. import json
  8. import types
  9. from typing import Optional, Union, Any, Set, List, Dict, MutableMapping, Tuple, Callable
  10. from numbers import Number
  11. from os.path import splitext, join
  12. from random import choice
  13. from html.parser import HTMLParser
  14. from html import escape
  15. from urllib.parse import urljoin, urlparse, parse_qs, urlencode
  16. from datetime import timedelta
  17. from markdown_it import MarkdownIt
  18. from lxml import html
  19. from lxml.etree import ElementBase, XPath, XPathError, XPathSyntaxError
  20. from searx import settings
  21. from searx.data import USER_AGENTS, data_dir
  22. from searx.version import VERSION_TAG
  23. from searx.sxng_locales import sxng_locales
  24. from searx.exceptions import SearxXPathSyntaxException, SearxEngineXPathException
  25. from searx import logger
  26. logger = logger.getChild('utils')
  27. XPathSpecType = Union[str, XPath]
  28. _BLOCKED_TAGS = ('script', 'style')
  29. _ECMA_UNESCAPE4_RE = re.compile(r'%u([0-9a-fA-F]{4})', re.UNICODE)
  30. _ECMA_UNESCAPE2_RE = re.compile(r'%([0-9a-fA-F]{2})', re.UNICODE)
  31. _JS_QUOTE_KEYS_RE = re.compile(r'([\{\s,])(\w+)(:)')
  32. _JS_VOID_RE = re.compile(r'void\s+[0-9]+|void\s*\([0-9]+\)')
  33. _JS_DECIMAL_RE = re.compile(r":\s*\.")
  34. _XPATH_CACHE: Dict[str, XPath] = {}
  35. _LANG_TO_LC_CACHE: Dict[str, Dict[str, str]] = {}
  36. _FASTTEXT_MODEL: Optional["fasttext.FastText._FastText"] = None # type: ignore
  37. """fasttext model to predict language of a search term"""
  38. SEARCH_LANGUAGE_CODES = frozenset([searxng_locale[0].split('-')[0] for searxng_locale in sxng_locales])
  39. """Languages supported by most searxng engines (:py:obj:`searx.sxng_locales.sxng_locales`)."""
  40. class _NotSetClass: # pylint: disable=too-few-public-methods
  41. """Internal class for this module, do not create instance of this class.
  42. Replace the None value, allow explicitly pass None as a function argument"""
  43. _NOTSET = _NotSetClass()
  44. def searx_useragent() -> str:
  45. """Return the searx User Agent"""
  46. return 'searx/{searx_version} {suffix}'.format(
  47. searx_version=VERSION_TAG, suffix=settings['outgoing']['useragent_suffix']
  48. ).strip()
  49. def gen_useragent(os_string: Optional[str] = None) -> str:
  50. """Return a random browser User Agent
  51. See searx/data/useragents.json
  52. """
  53. return USER_AGENTS['ua'].format(os=os_string or choice(USER_AGENTS['os']), version=choice(USER_AGENTS['versions']))
  54. class _HTMLTextExtractorException(Exception):
  55. """Internal exception raised when the HTML is invalid"""
  56. class _HTMLTextExtractor(HTMLParser):
  57. """Internal class to extract text from HTML"""
  58. def __init__(self):
  59. HTMLParser.__init__(self)
  60. self.result = []
  61. self.tags = []
  62. def handle_starttag(self, tag, attrs):
  63. self.tags.append(tag)
  64. if tag == 'br':
  65. self.result.append(' ')
  66. def handle_endtag(self, tag):
  67. if not self.tags:
  68. return
  69. if tag != self.tags[-1]:
  70. raise _HTMLTextExtractorException()
  71. self.tags.pop()
  72. def is_valid_tag(self):
  73. return not self.tags or self.tags[-1] not in _BLOCKED_TAGS
  74. def handle_data(self, data):
  75. if not self.is_valid_tag():
  76. return
  77. self.result.append(data)
  78. def handle_charref(self, name):
  79. if not self.is_valid_tag():
  80. return
  81. if name[0] in ('x', 'X'):
  82. codepoint = int(name[1:], 16)
  83. else:
  84. codepoint = int(name)
  85. self.result.append(chr(codepoint))
  86. def handle_entityref(self, name):
  87. if not self.is_valid_tag():
  88. return
  89. # codepoint = htmlentitydefs.name2codepoint[name]
  90. # self.result.append(chr(codepoint))
  91. self.result.append(name)
  92. def get_text(self):
  93. return ''.join(self.result).strip()
  94. def error(self, message):
  95. # error handle is needed in <py3.10
  96. # https://github.com/python/cpython/pull/8562/files
  97. raise AssertionError(message)
  98. def html_to_text(html_str: str) -> str:
  99. """Extract text from a HTML string
  100. Args:
  101. * html_str (str): string HTML
  102. Returns:
  103. * str: extracted text
  104. Examples:
  105. >>> html_to_text('Example <span id="42">#2</span>')
  106. 'Example #2'
  107. >>> html_to_text('<style>.span { color: red; }</style><span>Example</span>')
  108. 'Example'
  109. >>> html_to_text(r'regexp: (?<![a-zA-Z]')
  110. 'regexp: (?<![a-zA-Z]'
  111. """
  112. if not html_str:
  113. return ""
  114. html_str = html_str.replace('\n', ' ').replace('\r', ' ')
  115. html_str = ' '.join(html_str.split())
  116. s = _HTMLTextExtractor()
  117. try:
  118. s.feed(html_str)
  119. except AssertionError:
  120. s = _HTMLTextExtractor()
  121. s.feed(escape(html_str, quote=True))
  122. except _HTMLTextExtractorException:
  123. logger.debug("HTMLTextExtractor: invalid HTML\n%s", html_str)
  124. return s.get_text()
  125. def markdown_to_text(markdown_str: str) -> str:
  126. """Extract text from a Markdown string
  127. Args:
  128. * markdown_str (str): string Markdown
  129. Returns:
  130. * str: extracted text
  131. Examples:
  132. >>> markdown_to_text('[example](https://example.com)')
  133. 'example'
  134. >>> markdown_to_text('## Headline')
  135. 'Headline'
  136. """
  137. html_str = (
  138. MarkdownIt("commonmark", {"typographer": True}).enable(["replacements", "smartquotes"]).render(markdown_str)
  139. )
  140. return html_to_text(html_str)
  141. def extract_text(xpath_results, allow_none: bool = False) -> Optional[str]:
  142. """Extract text from a lxml result
  143. * if xpath_results is list, extract the text from each result and concat the list
  144. * if xpath_results is a xml element, extract all the text node from it
  145. ( text_content() method from lxml )
  146. * if xpath_results is a string element, then it's already done
  147. """
  148. if isinstance(xpath_results, list):
  149. # it's list of result : concat everything using recursive call
  150. result = ''
  151. for e in xpath_results:
  152. result = result + (extract_text(e) or '')
  153. return result.strip()
  154. if isinstance(xpath_results, ElementBase):
  155. # it's a element
  156. text: str = html.tostring(xpath_results, encoding='unicode', method='text', with_tail=False)
  157. text = text.strip().replace('\n', ' ')
  158. return ' '.join(text.split())
  159. if isinstance(xpath_results, (str, Number, bool)):
  160. return str(xpath_results)
  161. if xpath_results is None and allow_none:
  162. return None
  163. if xpath_results is None and not allow_none:
  164. raise ValueError('extract_text(None, allow_none=False)')
  165. raise ValueError('unsupported type')
  166. def normalize_url(url: str, base_url: str) -> str:
  167. """Normalize URL: add protocol, join URL with base_url, add trailing slash if there is no path
  168. Args:
  169. * url (str): Relative URL
  170. * base_url (str): Base URL, it must be an absolute URL.
  171. Example:
  172. >>> normalize_url('https://example.com', 'http://example.com/')
  173. 'https://example.com/'
  174. >>> normalize_url('//example.com', 'http://example.com/')
  175. 'http://example.com/'
  176. >>> normalize_url('//example.com', 'https://example.com/')
  177. 'https://example.com/'
  178. >>> normalize_url('/path?a=1', 'https://example.com')
  179. 'https://example.com/path?a=1'
  180. >>> normalize_url('', 'https://example.com')
  181. 'https://example.com/'
  182. >>> normalize_url('/test', '/path')
  183. raise ValueError
  184. Raises:
  185. * lxml.etree.ParserError
  186. Returns:
  187. * str: normalized URL
  188. """
  189. if url.startswith('//'):
  190. # add http or https to this kind of url //example.com/
  191. parsed_search_url = urlparse(base_url)
  192. url = '{0}:{1}'.format(parsed_search_url.scheme or 'http', url)
  193. elif url.startswith('/'):
  194. # fix relative url to the search engine
  195. url = urljoin(base_url, url)
  196. # fix relative urls that fall through the crack
  197. if '://' not in url:
  198. url = urljoin(base_url, url)
  199. parsed_url = urlparse(url)
  200. # add a / at this end of the url if there is no path
  201. if not parsed_url.netloc:
  202. raise ValueError('Cannot parse url')
  203. if not parsed_url.path:
  204. url += '/'
  205. return url
  206. def extract_url(xpath_results, base_url) -> str:
  207. """Extract and normalize URL from lxml Element
  208. Args:
  209. * xpath_results (Union[List[html.HtmlElement], html.HtmlElement]): lxml Element(s)
  210. * base_url (str): Base URL
  211. Example:
  212. >>> def f(s, search_url):
  213. >>> return searx.utils.extract_url(html.fromstring(s), search_url)
  214. >>> f('<span id="42">https://example.com</span>', 'http://example.com/')
  215. 'https://example.com/'
  216. >>> f('https://example.com', 'http://example.com/')
  217. 'https://example.com/'
  218. >>> f('//example.com', 'http://example.com/')
  219. 'http://example.com/'
  220. >>> f('//example.com', 'https://example.com/')
  221. 'https://example.com/'
  222. >>> f('/path?a=1', 'https://example.com')
  223. 'https://example.com/path?a=1'
  224. >>> f('', 'https://example.com')
  225. raise lxml.etree.ParserError
  226. >>> searx.utils.extract_url([], 'https://example.com')
  227. raise ValueError
  228. Raises:
  229. * ValueError
  230. * lxml.etree.ParserError
  231. Returns:
  232. * str: normalized URL
  233. """
  234. if xpath_results == []:
  235. raise ValueError('Empty url resultset')
  236. url = extract_text(xpath_results)
  237. if url:
  238. return normalize_url(url, base_url)
  239. raise ValueError('URL not found')
  240. def dict_subset(dictionary: MutableMapping, properties: Set[str]) -> Dict:
  241. """Extract a subset of a dict
  242. Examples:
  243. >>> dict_subset({'A': 'a', 'B': 'b', 'C': 'c'}, ['A', 'C'])
  244. {'A': 'a', 'C': 'c'}
  245. >>> >> dict_subset({'A': 'a', 'B': 'b', 'C': 'c'}, ['A', 'D'])
  246. {'A': 'a'}
  247. """
  248. return {k: dictionary[k] for k in properties if k in dictionary}
  249. def humanize_bytes(size, precision=2):
  250. """Determine the *human readable* value of bytes on 1024 base (1KB=1024B)."""
  251. s = ['B ', 'KB', 'MB', 'GB', 'TB']
  252. x = len(s)
  253. p = 0
  254. while size > 1024 and p < x:
  255. p += 1
  256. size = size / 1024.0
  257. return "%.*f %s" % (precision, size, s[p])
  258. def humanize_number(size, precision=0):
  259. """Determine the *human readable* value of a decimal number."""
  260. s = ['', 'K', 'M', 'B', 'T']
  261. x = len(s)
  262. p = 0
  263. while size > 1000 and p < x:
  264. p += 1
  265. size = size / 1000.0
  266. return "%.*f%s" % (precision, size, s[p])
  267. def convert_str_to_int(number_str: str) -> int:
  268. """Convert number_str to int or 0 if number_str is not a number."""
  269. if number_str.isdigit():
  270. return int(number_str)
  271. return 0
  272. def extr(txt: str, begin: str, end: str, default: str = ""):
  273. """Extract the string between ``begin`` and ``end`` from ``txt``
  274. :param txt: String to search in
  275. :param begin: First string to be searched for
  276. :param end: Second string to be searched for after ``begin``
  277. :param default: Default value if one of ``begin`` or ``end`` is not
  278. found. Defaults to an empty string.
  279. :return: The string between the two search-strings ``begin`` and ``end``.
  280. If at least one of ``begin`` or ``end`` is not found, the value of
  281. ``default`` is returned.
  282. Examples:
  283. >>> extr("abcde", "a", "e")
  284. "bcd"
  285. >>> extr("abcde", "a", "z", deafult="nothing")
  286. "nothing"
  287. """
  288. # From https://github.com/mikf/gallery-dl/blob/master/gallery_dl/text.py#L129
  289. try:
  290. first = txt.index(begin) + len(begin)
  291. return txt[first : txt.index(end, first)]
  292. except ValueError:
  293. return default
  294. def int_or_zero(num: Union[List[str], str]) -> int:
  295. """Convert num to int or 0. num can be either a str or a list.
  296. If num is a list, the first element is converted to int (or return 0 if the list is empty).
  297. If num is a str, see convert_str_to_int
  298. """
  299. if isinstance(num, list):
  300. if len(num) < 1:
  301. return 0
  302. num = num[0]
  303. return convert_str_to_int(num)
  304. def is_valid_lang(lang) -> Optional[Tuple[bool, str, str]]:
  305. """Return language code and name if lang describe a language.
  306. Examples:
  307. >>> is_valid_lang('zz')
  308. None
  309. >>> is_valid_lang('uk')
  310. (True, 'uk', 'ukrainian')
  311. >>> is_valid_lang(b'uk')
  312. (True, 'uk', 'ukrainian')
  313. >>> is_valid_lang('en')
  314. (True, 'en', 'english')
  315. >>> searx.utils.is_valid_lang('Español')
  316. (True, 'es', 'spanish')
  317. >>> searx.utils.is_valid_lang('Spanish')
  318. (True, 'es', 'spanish')
  319. """
  320. if isinstance(lang, bytes):
  321. lang = lang.decode()
  322. is_abbr = len(lang) == 2
  323. lang = lang.lower()
  324. if is_abbr:
  325. for l in sxng_locales:
  326. if l[0][:2] == lang:
  327. return (True, l[0][:2], l[3].lower())
  328. return None
  329. for l in sxng_locales:
  330. if l[1].lower() == lang or l[3].lower() == lang:
  331. return (True, l[0][:2], l[3].lower())
  332. return None
  333. def load_module(filename: str, module_dir: str) -> types.ModuleType:
  334. modname = splitext(filename)[0]
  335. modpath = join(module_dir, filename)
  336. # and https://docs.python.org/3/library/importlib.html#importing-a-source-file-directly
  337. spec = importlib.util.spec_from_file_location(modname, modpath)
  338. if not spec:
  339. raise ValueError(f"Error loading '{modpath}' module")
  340. module = importlib.util.module_from_spec(spec)
  341. if not spec.loader:
  342. raise ValueError(f"Error loading '{modpath}' module")
  343. spec.loader.exec_module(module)
  344. return module
  345. def to_string(obj: Any) -> str:
  346. """Convert obj to its string representation."""
  347. if isinstance(obj, str):
  348. return obj
  349. if hasattr(obj, '__str__'):
  350. return str(obj)
  351. return repr(obj)
  352. def ecma_unescape(string: str) -> str:
  353. """Python implementation of the unescape javascript function
  354. https://www.ecma-international.org/ecma-262/6.0/#sec-unescape-string
  355. https://developer.mozilla.org/fr/docs/Web/JavaScript/Reference/Objets_globaux/unescape
  356. Examples:
  357. >>> ecma_unescape('%u5409')
  358. '吉'
  359. >>> ecma_unescape('%20')
  360. ' '
  361. >>> ecma_unescape('%F3')
  362. 'ó'
  363. """
  364. # "%u5409" becomes "吉"
  365. string = _ECMA_UNESCAPE4_RE.sub(lambda e: chr(int(e.group(1), 16)), string)
  366. # "%20" becomes " ", "%F3" becomes "ó"
  367. string = _ECMA_UNESCAPE2_RE.sub(lambda e: chr(int(e.group(1), 16)), string)
  368. return string
  369. def remove_pua_from_str(string):
  370. """Removes unicode's "PRIVATE USE CHARACTER"s (PUA_) from a string.
  371. .. _PUA: https://en.wikipedia.org/wiki/Private_Use_Areas
  372. """
  373. pua_ranges = ((0xE000, 0xF8FF), (0xF0000, 0xFFFFD), (0x100000, 0x10FFFD))
  374. s = []
  375. for c in string:
  376. i = ord(c)
  377. if any(a <= i <= b for (a, b) in pua_ranges):
  378. continue
  379. s.append(c)
  380. return "".join(s)
  381. def get_string_replaces_function(replaces: Dict[str, str]) -> Callable[[str], str]:
  382. rep = {re.escape(k): v for k, v in replaces.items()}
  383. pattern = re.compile("|".join(rep.keys()))
  384. def func(text):
  385. return pattern.sub(lambda m: rep[re.escape(m.group(0))], text)
  386. return func
  387. def get_engine_from_settings(name: str) -> Dict:
  388. """Return engine configuration from settings.yml of a given engine name"""
  389. if 'engines' not in settings:
  390. return {}
  391. for engine in settings['engines']:
  392. if 'name' not in engine:
  393. continue
  394. if name == engine['name']:
  395. return engine
  396. return {}
  397. def get_xpath(xpath_spec: XPathSpecType) -> XPath:
  398. """Return cached compiled XPath
  399. There is no thread lock.
  400. Worst case scenario, xpath_str is compiled more than one time.
  401. Args:
  402. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  403. Returns:
  404. * result (bool, float, list, str): Results.
  405. Raises:
  406. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  407. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  408. """
  409. if isinstance(xpath_spec, str):
  410. result = _XPATH_CACHE.get(xpath_spec, None)
  411. if result is None:
  412. try:
  413. result = XPath(xpath_spec)
  414. except XPathSyntaxError as e:
  415. raise SearxXPathSyntaxException(xpath_spec, str(e.msg)) from e
  416. _XPATH_CACHE[xpath_spec] = result
  417. return result
  418. if isinstance(xpath_spec, XPath):
  419. return xpath_spec
  420. raise TypeError('xpath_spec must be either a str or a lxml.etree.XPath')
  421. def eval_xpath(element: ElementBase, xpath_spec: XPathSpecType):
  422. """Equivalent of element.xpath(xpath_str) but compile xpath_str once for all.
  423. See https://lxml.de/xpathxslt.html#xpath-return-values
  424. Args:
  425. * element (ElementBase): [description]
  426. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  427. Returns:
  428. * result (bool, float, list, str): Results.
  429. Raises:
  430. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  431. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  432. * SearxEngineXPathException: Raise when the XPath can't be evaluated.
  433. """
  434. xpath = get_xpath(xpath_spec)
  435. try:
  436. return xpath(element)
  437. except XPathError as e:
  438. arg = ' '.join([str(i) for i in e.args])
  439. raise SearxEngineXPathException(xpath_spec, arg) from e
  440. def eval_xpath_list(element: ElementBase, xpath_spec: XPathSpecType, min_len: Optional[int] = None):
  441. """Same as eval_xpath, check if the result is a list
  442. Args:
  443. * element (ElementBase): [description]
  444. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  445. * min_len (int, optional): [description]. Defaults to None.
  446. Raises:
  447. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  448. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  449. * SearxEngineXPathException: raise if the result is not a list
  450. Returns:
  451. * result (bool, float, list, str): Results.
  452. """
  453. result = eval_xpath(element, xpath_spec)
  454. if not isinstance(result, list):
  455. raise SearxEngineXPathException(xpath_spec, 'the result is not a list')
  456. if min_len is not None and min_len > len(result):
  457. raise SearxEngineXPathException(xpath_spec, 'len(xpath_str) < ' + str(min_len))
  458. return result
  459. def eval_xpath_getindex(elements: ElementBase, xpath_spec: XPathSpecType, index: int, default=_NOTSET):
  460. """Call eval_xpath_list then get one element using the index parameter.
  461. If the index does not exist, either raise an exception is default is not set,
  462. other return the default value (can be None).
  463. Args:
  464. * elements (ElementBase): lxml element to apply the xpath.
  465. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath.
  466. * index (int): index to get
  467. * default (Object, optional): Defaults if index doesn't exist.
  468. Raises:
  469. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  470. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  471. * SearxEngineXPathException: if the index is not found. Also see eval_xpath.
  472. Returns:
  473. * result (bool, float, list, str): Results.
  474. """
  475. result = eval_xpath_list(elements, xpath_spec)
  476. if -len(result) <= index < len(result):
  477. return result[index]
  478. if default == _NOTSET:
  479. # raise an SearxEngineXPathException instead of IndexError
  480. # to record xpath_spec
  481. raise SearxEngineXPathException(xpath_spec, 'index ' + str(index) + ' not found')
  482. return default
  483. def _get_fasttext_model() -> "fasttext.FastText._FastText": # type: ignore
  484. global _FASTTEXT_MODEL # pylint: disable=global-statement
  485. if _FASTTEXT_MODEL is None:
  486. import fasttext # pylint: disable=import-outside-toplevel
  487. # Monkey patch: prevent fasttext from showing a (useless) warning when loading a model.
  488. fasttext.FastText.eprint = lambda x: None
  489. _FASTTEXT_MODEL = fasttext.load_model(str(data_dir / 'lid.176.ftz'))
  490. return _FASTTEXT_MODEL
  491. def get_embeded_stream_url(url):
  492. """
  493. Converts a standard video URL into its embed format. Supported services include Youtube,
  494. Facebook, Instagram, TikTok, Dailymotion, and Bilibili.
  495. """
  496. parsed_url = urlparse(url)
  497. iframe_src = None
  498. # YouTube
  499. if parsed_url.netloc in ['www.youtube.com', 'youtube.com'] and parsed_url.path == '/watch' and parsed_url.query:
  500. video_id = parse_qs(parsed_url.query).get('v', [])
  501. if video_id:
  502. iframe_src = 'https://www.youtube-nocookie.com/embed/' + video_id[0]
  503. # Facebook
  504. elif parsed_url.netloc in ['www.facebook.com', 'facebook.com']:
  505. encoded_href = urlencode({'href': url})
  506. iframe_src = 'https://www.facebook.com/plugins/video.php?allowfullscreen=true&' + encoded_href
  507. # Instagram
  508. elif parsed_url.netloc in ['www.instagram.com', 'instagram.com'] and parsed_url.path.startswith('/p/'):
  509. if parsed_url.path.endswith('/'):
  510. iframe_src = url + 'embed'
  511. else:
  512. iframe_src = url + '/embed'
  513. # TikTok
  514. elif (
  515. parsed_url.netloc in ['www.tiktok.com', 'tiktok.com']
  516. and parsed_url.path.startswith('/@')
  517. and '/video/' in parsed_url.path
  518. ):
  519. path_parts = parsed_url.path.split('/video/')
  520. video_id = path_parts[1]
  521. iframe_src = 'https://www.tiktok.com/embed/' + video_id
  522. # Dailymotion
  523. elif parsed_url.netloc in ['www.dailymotion.com', 'dailymotion.com'] and parsed_url.path.startswith('/video/'):
  524. path_parts = parsed_url.path.split('/')
  525. if len(path_parts) == 3:
  526. video_id = path_parts[2]
  527. iframe_src = 'https://www.dailymotion.com/embed/video/' + video_id
  528. # Bilibili
  529. elif parsed_url.netloc in ['www.bilibili.com', 'bilibili.com'] and parsed_url.path.startswith('/video/'):
  530. path_parts = parsed_url.path.split('/')
  531. video_id = path_parts[2]
  532. param_key = None
  533. if video_id.startswith('av'):
  534. video_id = video_id[2:]
  535. param_key = 'aid'
  536. elif video_id.startswith('BV'):
  537. param_key = 'bvid'
  538. iframe_src = (
  539. f'https://player.bilibili.com/player.html?{param_key}={video_id}&high_quality=1&autoplay=false&danmaku=0'
  540. )
  541. return iframe_src
  542. def detect_language(text: str, threshold: float = 0.3, only_search_languages: bool = False) -> Optional[str]:
  543. """Detect the language of the ``text`` parameter.
  544. :param str text: The string whose language is to be detected.
  545. :param float threshold: Threshold filters the returned labels by a threshold
  546. on probability. A choice of 0.3 will return labels with at least 0.3
  547. probability.
  548. :param bool only_search_languages: If ``True``, returns only supported
  549. SearXNG search languages. see :py:obj:`searx.languages`
  550. :rtype: str, None
  551. :returns:
  552. The detected language code or ``None``. See below.
  553. :raises ValueError: If ``text`` is not a string.
  554. The language detection is done by using `a fork`_ of the fastText_ library
  555. (`python fasttext`_). fastText_ distributes the `language identification
  556. model`_, for reference:
  557. - `FastText.zip: Compressing text classification models`_
  558. - `Bag of Tricks for Efficient Text Classification`_
  559. The `language identification model`_ support the language codes
  560. (ISO-639-3)::
  561. af als am an ar arz as ast av az azb ba bar bcl be bg bh bn bo bpy br bs
  562. bxr ca cbk ce ceb ckb co cs cv cy da de diq dsb dty dv el eml en eo es
  563. et eu fa fi fr frr fy ga gd gl gn gom gu gv he hi hif hr hsb ht hu hy ia
  564. id ie ilo io is it ja jbo jv ka kk km kn ko krc ku kv kw ky la lb lez li
  565. lmo lo lrc lt lv mai mg mhr min mk ml mn mr mrj ms mt mwl my myv mzn nah
  566. nap nds ne new nl nn no oc or os pa pam pfl pl pms pnb ps pt qu rm ro ru
  567. rue sa sah sc scn sco sd sh si sk sl so sq sr su sv sw ta te tg th tk tl
  568. tr tt tyv ug uk ur uz vec vep vi vls vo wa war wuu xal xmf yi yo yue zh
  569. By using ``only_search_languages=True`` the `language identification model`_
  570. is harmonized with the SearXNG's language (locale) model. General
  571. conditions of SearXNG's locale model are:
  572. a. SearXNG's locale of a query is passed to the
  573. :py:obj:`searx.locales.get_engine_locale` to get a language and/or region
  574. code that is used by an engine.
  575. b. Most of SearXNG's engines do not support all the languages from `language
  576. identification model`_ and there is also a discrepancy in the ISO-639-3
  577. (fasttext) and ISO-639-2 (SearXNG)handling. Further more, in SearXNG the
  578. locales like ``zh-TH`` (``zh-CN``) are mapped to ``zh_Hant``
  579. (``zh_Hans``) while the `language identification model`_ reduce both to
  580. ``zh``.
  581. .. _a fork: https://github.com/searxng/fasttext-predict
  582. .. _fastText: https://fasttext.cc/
  583. .. _python fasttext: https://pypi.org/project/fasttext/
  584. .. _language identification model: https://fasttext.cc/docs/en/language-identification.html
  585. .. _Bag of Tricks for Efficient Text Classification: https://arxiv.org/abs/1607.01759
  586. .. _`FastText.zip: Compressing text classification models`: https://arxiv.org/abs/1612.03651
  587. """
  588. if not isinstance(text, str):
  589. raise ValueError('text must a str')
  590. r = _get_fasttext_model().predict(text.replace('\n', ' '), k=1, threshold=threshold)
  591. if isinstance(r, tuple) and len(r) == 2 and len(r[0]) > 0 and len(r[1]) > 0:
  592. language = r[0][0].split('__label__')[1]
  593. if only_search_languages and language not in SEARCH_LANGUAGE_CODES:
  594. return None
  595. return language
  596. return None
  597. def js_variable_to_python(js_variable):
  598. """Convert a javascript variable into JSON and then load the value
  599. It does not deal with all cases, but it is good enough for now.
  600. chompjs has a better implementation.
  601. """
  602. # when in_string is not None, it contains the character that has opened the string
  603. # either simple quote or double quote
  604. in_string = None
  605. # cut the string:
  606. # r"""{ a:"f\"irst", c:'sec"ond'}"""
  607. # becomes
  608. # ['{ a:', '"', 'f\\', '"', 'irst', '"', ', c:', "'", 'sec', '"', 'ond', "'", '}']
  609. parts = re.split(r'(["\'])', js_variable)
  610. # previous part (to check the escape character antislash)
  611. previous_p = ""
  612. for i, p in enumerate(parts):
  613. # parse characters inside a ECMA string
  614. if in_string:
  615. # we are in a JS string: replace the colon by a temporary character
  616. # so quote_keys_regex doesn't have to deal with colon inside the JS strings
  617. parts[i] = parts[i].replace(':', chr(1))
  618. if in_string == "'":
  619. # the JS string is delimited by simple quote.
  620. # This is not supported by JSON.
  621. # simple quote delimited string are converted to double quote delimited string
  622. # here, inside a JS string, we escape the double quote
  623. parts[i] = parts[i].replace('"', r'\"')
  624. # deal with delimiters and escape character
  625. if not in_string and p in ('"', "'"):
  626. # we are not in string
  627. # but p is double or simple quote
  628. # that's the start of a new string
  629. # replace simple quote by double quote
  630. # (JSON doesn't support simple quote)
  631. parts[i] = '"'
  632. in_string = p
  633. continue
  634. if p == in_string:
  635. # we are in a string and the current part MAY close the string
  636. if len(previous_p) > 0 and previous_p[-1] == '\\':
  637. # there is an antislash just before: the ECMA string continue
  638. continue
  639. # the current p close the string
  640. # replace simple quote by double quote
  641. parts[i] = '"'
  642. in_string = None
  643. if not in_string:
  644. # replace void 0 by null
  645. # https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/void
  646. # we are sure there is no string in p
  647. parts[i] = _JS_VOID_RE.sub("null", p)
  648. # update previous_p
  649. previous_p = p
  650. # join the string
  651. s = ''.join(parts)
  652. # add quote around the key
  653. # { a: 12 }
  654. # becomes
  655. # { "a": 12 }
  656. s = _JS_QUOTE_KEYS_RE.sub(r'\1"\2"\3', s)
  657. s = _JS_DECIMAL_RE.sub(":0.", s)
  658. # replace the surogate character by colon
  659. s = s.replace(chr(1), ':')
  660. # load the JSON and return the result
  661. return json.loads(s)
  662. def parse_duration_string(duration_str: str) -> timedelta | None:
  663. """Parse a time string in format MM:SS or HH:MM:SS and convert it to a `timedelta` object.
  664. Returns None if the provided string doesn't match any of the formats.
  665. """
  666. duration_str = duration_str.strip()
  667. if not duration_str:
  668. return None
  669. try:
  670. # prepending ["00"] here inits hours to 0 if they are not provided
  671. time_parts = (["00"] + duration_str.split(":"))[:3]
  672. hours, minutes, seconds = map(int, time_parts)
  673. return timedelta(hours=hours, minutes=minutes, seconds=seconds)
  674. except (ValueError, TypeError):
  675. pass
  676. return None