utils.py 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744
  1. # SPDX-License-Identifier: AGPL-3.0-or-later
  2. """Utility functions for the engines
  3. """
  4. from __future__ import annotations
  5. import re
  6. import importlib
  7. import importlib.util
  8. import json
  9. import types
  10. from typing import Optional, Union, Any, Set, List, Dict, MutableMapping, Tuple, Callable
  11. from numbers import Number
  12. from os.path import splitext, join
  13. from random import choice
  14. from html.parser import HTMLParser
  15. from html import escape
  16. from urllib.parse import urljoin, urlparse
  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 laguage 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. html_str = html_str.replace('\n', ' ').replace('\r', ' ')
  113. html_str = ' '.join(html_str.split())
  114. s = _HTMLTextExtractor()
  115. try:
  116. s.feed(html_str)
  117. except AssertionError:
  118. s = _HTMLTextExtractor()
  119. s.feed(escape(html_str, quote=True))
  120. except _HTMLTextExtractorException:
  121. logger.debug("HTMLTextExtractor: invalid HTML\n%s", html_str)
  122. return s.get_text()
  123. def markdown_to_text(markdown_str: str) -> str:
  124. """Extract text from a Markdown string
  125. Args:
  126. * markdown_str (str): string Markdown
  127. Returns:
  128. * str: extracted text
  129. Examples:
  130. >>> markdown_to_text('[example](https://example.com)')
  131. 'example'
  132. >>> markdown_to_text('## Headline')
  133. 'Headline'
  134. """
  135. html_str = (
  136. MarkdownIt("commonmark", {"typographer": True}).enable(["replacements", "smartquotes"]).render(markdown_str)
  137. )
  138. return html_to_text(html_str)
  139. def extract_text(xpath_results, allow_none: bool = False) -> Optional[str]:
  140. """Extract text from a lxml result
  141. * if xpath_results is list, extract the text from each result and concat the list
  142. * if xpath_results is a xml element, extract all the text node from it
  143. ( text_content() method from lxml )
  144. * if xpath_results is a string element, then it's already done
  145. """
  146. if isinstance(xpath_results, list):
  147. # it's list of result : concat everything using recursive call
  148. result = ''
  149. for e in xpath_results:
  150. result = result + (extract_text(e) or '')
  151. return result.strip()
  152. if isinstance(xpath_results, ElementBase):
  153. # it's a element
  154. text: str = html.tostring(xpath_results, encoding='unicode', method='text', with_tail=False)
  155. text = text.strip().replace('\n', ' ')
  156. return ' '.join(text.split())
  157. if isinstance(xpath_results, (str, Number, bool)):
  158. return str(xpath_results)
  159. if xpath_results is None and allow_none:
  160. return None
  161. if xpath_results is None and not allow_none:
  162. raise ValueError('extract_text(None, allow_none=False)')
  163. raise ValueError('unsupported type')
  164. def normalize_url(url: str, base_url: str) -> str:
  165. """Normalize URL: add protocol, join URL with base_url, add trailing slash if there is no path
  166. Args:
  167. * url (str): Relative URL
  168. * base_url (str): Base URL, it must be an absolute URL.
  169. Example:
  170. >>> normalize_url('https://example.com', 'http://example.com/')
  171. 'https://example.com/'
  172. >>> normalize_url('//example.com', 'http://example.com/')
  173. 'http://example.com/'
  174. >>> normalize_url('//example.com', 'https://example.com/')
  175. 'https://example.com/'
  176. >>> normalize_url('/path?a=1', 'https://example.com')
  177. 'https://example.com/path?a=1'
  178. >>> normalize_url('', 'https://example.com')
  179. 'https://example.com/'
  180. >>> normalize_url('/test', '/path')
  181. raise ValueError
  182. Raises:
  183. * lxml.etree.ParserError
  184. Returns:
  185. * str: normalized URL
  186. """
  187. if url.startswith('//'):
  188. # add http or https to this kind of url //example.com/
  189. parsed_search_url = urlparse(base_url)
  190. url = '{0}:{1}'.format(parsed_search_url.scheme or 'http', url)
  191. elif url.startswith('/'):
  192. # fix relative url to the search engine
  193. url = urljoin(base_url, url)
  194. # fix relative urls that fall through the crack
  195. if '://' not in url:
  196. url = urljoin(base_url, url)
  197. parsed_url = urlparse(url)
  198. # add a / at this end of the url if there is no path
  199. if not parsed_url.netloc:
  200. raise ValueError('Cannot parse url')
  201. if not parsed_url.path:
  202. url += '/'
  203. return url
  204. def extract_url(xpath_results, base_url) -> str:
  205. """Extract and normalize URL from lxml Element
  206. Args:
  207. * xpath_results (Union[List[html.HtmlElement], html.HtmlElement]): lxml Element(s)
  208. * base_url (str): Base URL
  209. Example:
  210. >>> def f(s, search_url):
  211. >>> return searx.utils.extract_url(html.fromstring(s), search_url)
  212. >>> f('<span id="42">https://example.com</span>', 'http://example.com/')
  213. 'https://example.com/'
  214. >>> f('https://example.com', 'http://example.com/')
  215. 'https://example.com/'
  216. >>> f('//example.com', 'http://example.com/')
  217. 'http://example.com/'
  218. >>> f('//example.com', 'https://example.com/')
  219. 'https://example.com/'
  220. >>> f('/path?a=1', 'https://example.com')
  221. 'https://example.com/path?a=1'
  222. >>> f('', 'https://example.com')
  223. raise lxml.etree.ParserError
  224. >>> searx.utils.extract_url([], 'https://example.com')
  225. raise ValueError
  226. Raises:
  227. * ValueError
  228. * lxml.etree.ParserError
  229. Returns:
  230. * str: normalized URL
  231. """
  232. if xpath_results == []:
  233. raise ValueError('Empty url resultset')
  234. url = extract_text(xpath_results)
  235. if url:
  236. return normalize_url(url, base_url)
  237. raise ValueError('URL not found')
  238. def dict_subset(dictionary: MutableMapping, properties: Set[str]) -> Dict:
  239. """Extract a subset of a dict
  240. Examples:
  241. >>> dict_subset({'A': 'a', 'B': 'b', 'C': 'c'}, ['A', 'C'])
  242. {'A': 'a', 'C': 'c'}
  243. >>> >> dict_subset({'A': 'a', 'B': 'b', 'C': 'c'}, ['A', 'D'])
  244. {'A': 'a'}
  245. """
  246. return {k: dictionary[k] for k in properties if k in dictionary}
  247. def humanize_bytes(size, precision=2):
  248. """Determine the *human readable* value of bytes on 1024 base (1KB=1024B)."""
  249. s = ['B ', 'KB', 'MB', 'GB', 'TB']
  250. x = len(s)
  251. p = 0
  252. while size > 1024 and p < x:
  253. p += 1
  254. size = size / 1024.0
  255. return "%.*f %s" % (precision, size, s[p])
  256. def convert_str_to_int(number_str: str) -> int:
  257. """Convert number_str to int or 0 if number_str is not a number."""
  258. if number_str.isdigit():
  259. return int(number_str)
  260. return 0
  261. def extr(txt: str, begin: str, end: str, default: str = ""):
  262. """Extract the string between ``begin`` and ``end`` from ``txt``
  263. :param txt: String to search in
  264. :param begin: First string to be searched for
  265. :param end: Second string to be searched for after ``begin``
  266. :param default: Default value if one of ``begin`` or ``end`` is not
  267. found. Defaults to an empty string.
  268. :return: The string between the two search-strings ``begin`` and ``end``.
  269. If at least one of ``begin`` or ``end`` is not found, the value of
  270. ``default`` is returned.
  271. Examples:
  272. >>> extr("abcde", "a", "e")
  273. "bcd"
  274. >>> extr("abcde", "a", "z", deafult="nothing")
  275. "nothing"
  276. """
  277. # From https://github.com/mikf/gallery-dl/blob/master/gallery_dl/text.py#L129
  278. try:
  279. first = txt.index(begin) + len(begin)
  280. return txt[first : txt.index(end, first)]
  281. except ValueError:
  282. return default
  283. def int_or_zero(num: Union[List[str], str]) -> int:
  284. """Convert num to int or 0. num can be either a str or a list.
  285. If num is a list, the first element is converted to int (or return 0 if the list is empty).
  286. If num is a str, see convert_str_to_int
  287. """
  288. if isinstance(num, list):
  289. if len(num) < 1:
  290. return 0
  291. num = num[0]
  292. return convert_str_to_int(num)
  293. def is_valid_lang(lang) -> Optional[Tuple[bool, str, str]]:
  294. """Return language code and name if lang describe a language.
  295. Examples:
  296. >>> is_valid_lang('zz')
  297. None
  298. >>> is_valid_lang('uk')
  299. (True, 'uk', 'ukrainian')
  300. >>> is_valid_lang(b'uk')
  301. (True, 'uk', 'ukrainian')
  302. >>> is_valid_lang('en')
  303. (True, 'en', 'english')
  304. >>> searx.utils.is_valid_lang('Español')
  305. (True, 'es', 'spanish')
  306. >>> searx.utils.is_valid_lang('Spanish')
  307. (True, 'es', 'spanish')
  308. """
  309. if isinstance(lang, bytes):
  310. lang = lang.decode()
  311. is_abbr = len(lang) == 2
  312. lang = lang.lower()
  313. if is_abbr:
  314. for l in sxng_locales:
  315. if l[0][:2] == lang:
  316. return (True, l[0][:2], l[3].lower())
  317. return None
  318. for l in sxng_locales:
  319. if l[1].lower() == lang or l[3].lower() == lang:
  320. return (True, l[0][:2], l[3].lower())
  321. return None
  322. def load_module(filename: str, module_dir: str) -> types.ModuleType:
  323. modname = splitext(filename)[0]
  324. modpath = join(module_dir, filename)
  325. # and https://docs.python.org/3/library/importlib.html#importing-a-source-file-directly
  326. spec = importlib.util.spec_from_file_location(modname, modpath)
  327. if not spec:
  328. raise ValueError(f"Error loading '{modpath}' module")
  329. module = importlib.util.module_from_spec(spec)
  330. if not spec.loader:
  331. raise ValueError(f"Error loading '{modpath}' module")
  332. spec.loader.exec_module(module)
  333. return module
  334. def to_string(obj: Any) -> str:
  335. """Convert obj to its string representation."""
  336. if isinstance(obj, str):
  337. return obj
  338. if hasattr(obj, '__str__'):
  339. return str(obj)
  340. return repr(obj)
  341. def ecma_unescape(string: str) -> str:
  342. """Python implementation of the unescape javascript function
  343. https://www.ecma-international.org/ecma-262/6.0/#sec-unescape-string
  344. https://developer.mozilla.org/fr/docs/Web/JavaScript/Reference/Objets_globaux/unescape
  345. Examples:
  346. >>> ecma_unescape('%u5409')
  347. '吉'
  348. >>> ecma_unescape('%20')
  349. ' '
  350. >>> ecma_unescape('%F3')
  351. 'ó'
  352. """
  353. # "%u5409" becomes "吉"
  354. string = _ECMA_UNESCAPE4_RE.sub(lambda e: chr(int(e.group(1), 16)), string)
  355. # "%20" becomes " ", "%F3" becomes "ó"
  356. string = _ECMA_UNESCAPE2_RE.sub(lambda e: chr(int(e.group(1), 16)), string)
  357. return string
  358. def get_string_replaces_function(replaces: Dict[str, str]) -> Callable[[str], str]:
  359. rep = {re.escape(k): v for k, v in replaces.items()}
  360. pattern = re.compile("|".join(rep.keys()))
  361. def func(text):
  362. return pattern.sub(lambda m: rep[re.escape(m.group(0))], text)
  363. return func
  364. def get_engine_from_settings(name: str) -> Dict:
  365. """Return engine configuration from settings.yml of a given engine name"""
  366. if 'engines' not in settings:
  367. return {}
  368. for engine in settings['engines']:
  369. if 'name' not in engine:
  370. continue
  371. if name == engine['name']:
  372. return engine
  373. return {}
  374. def get_xpath(xpath_spec: XPathSpecType) -> XPath:
  375. """Return cached compiled XPath
  376. There is no thread lock.
  377. Worst case scenario, xpath_str is compiled more than one time.
  378. Args:
  379. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  380. Returns:
  381. * result (bool, float, list, str): Results.
  382. Raises:
  383. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  384. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  385. """
  386. if isinstance(xpath_spec, str):
  387. result = _XPATH_CACHE.get(xpath_spec, None)
  388. if result is None:
  389. try:
  390. result = XPath(xpath_spec)
  391. except XPathSyntaxError as e:
  392. raise SearxXPathSyntaxException(xpath_spec, str(e.msg)) from e
  393. _XPATH_CACHE[xpath_spec] = result
  394. return result
  395. if isinstance(xpath_spec, XPath):
  396. return xpath_spec
  397. raise TypeError('xpath_spec must be either a str or a lxml.etree.XPath')
  398. def eval_xpath(element: ElementBase, xpath_spec: XPathSpecType):
  399. """Equivalent of element.xpath(xpath_str) but compile xpath_str once for all.
  400. See https://lxml.de/xpathxslt.html#xpath-return-values
  401. Args:
  402. * element (ElementBase): [description]
  403. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  404. Returns:
  405. * result (bool, float, list, str): Results.
  406. Raises:
  407. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  408. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  409. * SearxEngineXPathException: Raise when the XPath can't be evaluated.
  410. """
  411. xpath = get_xpath(xpath_spec)
  412. try:
  413. return xpath(element)
  414. except XPathError as e:
  415. arg = ' '.join([str(i) for i in e.args])
  416. raise SearxEngineXPathException(xpath_spec, arg) from e
  417. def eval_xpath_list(element: ElementBase, xpath_spec: XPathSpecType, min_len: Optional[int] = None):
  418. """Same as eval_xpath, check if the result is a list
  419. Args:
  420. * element (ElementBase): [description]
  421. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath
  422. * min_len (int, optional): [description]. Defaults to None.
  423. Raises:
  424. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  425. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  426. * SearxEngineXPathException: raise if the result is not a list
  427. Returns:
  428. * result (bool, float, list, str): Results.
  429. """
  430. result = eval_xpath(element, xpath_spec)
  431. if not isinstance(result, list):
  432. raise SearxEngineXPathException(xpath_spec, 'the result is not a list')
  433. if min_len is not None and min_len > len(result):
  434. raise SearxEngineXPathException(xpath_spec, 'len(xpath_str) < ' + str(min_len))
  435. return result
  436. def eval_xpath_getindex(elements: ElementBase, xpath_spec: XPathSpecType, index: int, default=_NOTSET):
  437. """Call eval_xpath_list then get one element using the index parameter.
  438. If the index does not exist, either raise an exception is default is not set,
  439. other return the default value (can be None).
  440. Args:
  441. * elements (ElementBase): lxml element to apply the xpath.
  442. * xpath_spec (str|lxml.etree.XPath): XPath as a str or lxml.etree.XPath.
  443. * index (int): index to get
  444. * default (Object, optional): Defaults if index doesn't exist.
  445. Raises:
  446. * TypeError: Raise when xpath_spec is neither a str nor a lxml.etree.XPath
  447. * SearxXPathSyntaxException: Raise when there is a syntax error in the XPath
  448. * SearxEngineXPathException: if the index is not found. Also see eval_xpath.
  449. Returns:
  450. * result (bool, float, list, str): Results.
  451. """
  452. result = eval_xpath_list(elements, xpath_spec)
  453. if -len(result) <= index < len(result):
  454. return result[index]
  455. if default == _NOTSET:
  456. # raise an SearxEngineXPathException instead of IndexError
  457. # to record xpath_spec
  458. raise SearxEngineXPathException(xpath_spec, 'index ' + str(index) + ' not found')
  459. return default
  460. def _get_fasttext_model() -> "fasttext.FastText._FastText": # type: ignore
  461. global _FASTTEXT_MODEL # pylint: disable=global-statement
  462. if _FASTTEXT_MODEL is None:
  463. import fasttext # pylint: disable=import-outside-toplevel
  464. # Monkey patch: prevent fasttext from showing a (useless) warning when loading a model.
  465. fasttext.FastText.eprint = lambda x: None
  466. _FASTTEXT_MODEL = fasttext.load_model(str(data_dir / 'lid.176.ftz'))
  467. return _FASTTEXT_MODEL
  468. def detect_language(text: str, threshold: float = 0.3, only_search_languages: bool = False) -> Optional[str]:
  469. """Detect the language of the ``text`` parameter.
  470. :param str text: The string whose language is to be detected.
  471. :param float threshold: Threshold filters the returned labels by a threshold
  472. on probability. A choice of 0.3 will return labels with at least 0.3
  473. probability.
  474. :param bool only_search_languages: If ``True``, returns only supported
  475. SearXNG search languages. see :py:obj:`searx.languages`
  476. :rtype: str, None
  477. :returns:
  478. The detected language code or ``None``. See below.
  479. :raises ValueError: If ``text`` is not a string.
  480. The language detection is done by using `a fork`_ of the fastText_ library
  481. (`python fasttext`_). fastText_ distributes the `language identification
  482. model`_, for reference:
  483. - `FastText.zip: Compressing text classification models`_
  484. - `Bag of Tricks for Efficient Text Classification`_
  485. The `language identification model`_ support the language codes
  486. (ISO-639-3)::
  487. af als am an ar arz as ast av az azb ba bar bcl be bg bh bn bo bpy br bs
  488. bxr ca cbk ce ceb ckb co cs cv cy da de diq dsb dty dv el eml en eo es
  489. et eu fa fi fr frr fy ga gd gl gn gom gu gv he hi hif hr hsb ht hu hy ia
  490. id ie ilo io is it ja jbo jv ka kk km kn ko krc ku kv kw ky la lb lez li
  491. lmo lo lrc lt lv mai mg mhr min mk ml mn mr mrj ms mt mwl my myv mzn nah
  492. nap nds ne new nl nn no oc or os pa pam pfl pl pms pnb ps pt qu rm ro ru
  493. rue sa sah sc scn sco sd sh si sk sl so sq sr su sv sw ta te tg th tk tl
  494. tr tt tyv ug uk ur uz vec vep vi vls vo wa war wuu xal xmf yi yo yue zh
  495. By using ``only_search_languages=True`` the `language identification model`_
  496. is harmonized with the SearXNG's language (locale) model. General
  497. conditions of SearXNG's locale model are:
  498. a. SearXNG's locale of a query is passed to the
  499. :py:obj:`searx.locales.get_engine_locale` to get a language and/or region
  500. code that is used by an engine.
  501. b. Most of SearXNG's engines do not support all the languages from `language
  502. identification model`_ and there is also a discrepancy in the ISO-639-3
  503. (fasttext) and ISO-639-2 (SearXNG)handling. Further more, in SearXNG the
  504. locales like ``zh-TH`` (``zh-CN``) are mapped to ``zh_Hant``
  505. (``zh_Hans``) while the `language identification model`_ reduce both to
  506. ``zh``.
  507. .. _a fork: https://github.com/searxng/fasttext-predict
  508. .. _fastText: https://fasttext.cc/
  509. .. _python fasttext: https://pypi.org/project/fasttext/
  510. .. _language identification model: https://fasttext.cc/docs/en/language-identification.html
  511. .. _Bag of Tricks for Efficient Text Classification: https://arxiv.org/abs/1607.01759
  512. .. _`FastText.zip: Compressing text classification models`: https://arxiv.org/abs/1612.03651
  513. """
  514. if not isinstance(text, str):
  515. raise ValueError('text must a str')
  516. r = _get_fasttext_model().predict(text.replace('\n', ' '), k=1, threshold=threshold)
  517. if isinstance(r, tuple) and len(r) == 2 and len(r[0]) > 0 and len(r[1]) > 0:
  518. language = r[0][0].split('__label__')[1]
  519. if only_search_languages and language not in SEARCH_LANGUAGE_CODES:
  520. return None
  521. return language
  522. return None
  523. def js_variable_to_python(js_variable):
  524. """Convert a javascript variable into JSON and then load the value
  525. It does not deal with all cases, but it is good enough for now.
  526. chompjs has a better implementation.
  527. """
  528. # when in_string is not None, it contains the character that has opened the string
  529. # either simple quote or double quote
  530. in_string = None
  531. # cut the string:
  532. # r"""{ a:"f\"irst", c:'sec"ond'}"""
  533. # becomes
  534. # ['{ a:', '"', 'f\\', '"', 'irst', '"', ', c:', "'", 'sec', '"', 'ond', "'", '}']
  535. parts = re.split(r'(["\'])', js_variable)
  536. # previous part (to check the escape character antislash)
  537. previous_p = ""
  538. for i, p in enumerate(parts):
  539. # parse characters inside a ECMA string
  540. if in_string:
  541. # we are in a JS string: replace the colon by a temporary character
  542. # so quote_keys_regex doesn't have to deal with colon inside the JS strings
  543. parts[i] = parts[i].replace(':', chr(1))
  544. if in_string == "'":
  545. # the JS string is delimited by simple quote.
  546. # This is not supported by JSON.
  547. # simple quote delimited string are converted to double quote delimited string
  548. # here, inside a JS string, we escape the double quote
  549. parts[i] = parts[i].replace('"', r'\"')
  550. # deal with delimiters and escape character
  551. if not in_string and p in ('"', "'"):
  552. # we are not in string
  553. # but p is double or simple quote
  554. # that's the start of a new string
  555. # replace simple quote by double quote
  556. # (JSON doesn't support simple quote)
  557. parts[i] = '"'
  558. in_string = p
  559. continue
  560. if p == in_string:
  561. # we are in a string and the current part MAY close the string
  562. if len(previous_p) > 0 and previous_p[-1] == '\\':
  563. # there is an antislash just before: the ECMA string continue
  564. continue
  565. # the current p close the string
  566. # replace simple quote by double quote
  567. parts[i] = '"'
  568. in_string = None
  569. if not in_string:
  570. # replace void 0 by null
  571. # https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/void
  572. # we are sure there is no string in p
  573. parts[i] = _JS_VOID_RE.sub("null", p)
  574. # update previous_p
  575. previous_p = p
  576. # join the string
  577. s = ''.join(parts)
  578. # add quote around the key
  579. # { a: 12 }
  580. # becomes
  581. # { "a": 12 }
  582. s = _JS_QUOTE_KEYS_RE.sub(r'\1"\2"\3', s)
  583. s = _JS_DECIMAL_RE.sub(":0.", s)
  584. # replace the surogate character by colon
  585. s = s.replace(chr(1), ':')
  586. # load the JSON and return the result
  587. return json.loads(s)