duckduckgo.py 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513
  1. # SPDX-License-Identifier: AGPL-3.0-or-later
  2. """
  3. DuckDuckGo WEB
  4. ~~~~~~~~~~~~~~
  5. """
  6. from __future__ import annotations
  7. from typing import TYPE_CHECKING
  8. import re
  9. from urllib.parse import urlencode, quote_plus
  10. import json
  11. import babel
  12. import lxml.html
  13. from searx import (
  14. locales,
  15. redislib,
  16. external_bang,
  17. )
  18. from searx.utils import (
  19. eval_xpath,
  20. extr,
  21. extract_text,
  22. )
  23. from searx.network import get # see https://github.com/searxng/searxng/issues/762
  24. from searx import redisdb
  25. from searx.enginelib.traits import EngineTraits
  26. from searx.exceptions import SearxEngineCaptchaException
  27. from searx.result_types import EngineResults
  28. if TYPE_CHECKING:
  29. import logging
  30. logger: logging.Logger
  31. traits: EngineTraits
  32. about = {
  33. "website": 'https://lite.duckduckgo.com/lite/',
  34. "wikidata_id": 'Q12805',
  35. "use_official_api": False,
  36. "require_api_key": False,
  37. "results": 'HTML',
  38. }
  39. send_accept_language_header = True
  40. """DuckDuckGo-Lite tries to guess user's preferred language from the HTTP
  41. ``Accept-Language``. Optional the user can select a region filter (but not a
  42. language).
  43. """
  44. # engine dependent config
  45. categories = ['general', 'web']
  46. paging = True
  47. time_range_support = True
  48. safesearch = True # user can't select but the results are filtered
  49. url = "https://html.duckduckgo.com/html"
  50. time_range_dict = {'day': 'd', 'week': 'w', 'month': 'm', 'year': 'y'}
  51. form_data = {'v': 'l', 'api': 'd.js', 'o': 'json'}
  52. __CACHE = []
  53. def _cache_key(query: str, region: str):
  54. return 'SearXNG_ddg_web_vqd' + redislib.secret_hash(f"{query}//{region}")
  55. def cache_vqd(query: str, region: str, value: str):
  56. """Caches a ``vqd`` value from a query."""
  57. c = redisdb.client()
  58. if c:
  59. logger.debug("VALKEY cache vqd value: %s (%s)", value, region)
  60. c.set(_cache_key(query, region), value, ex=600)
  61. else:
  62. logger.debug("MEM cache vqd value: %s (%s)", value, region)
  63. if len(__CACHE) > 100: # cache vqd from last 100 queries
  64. __CACHE.pop(0)
  65. __CACHE.append((_cache_key(query, region), value))
  66. def get_vqd(query: str, region: str, force_request: bool = False):
  67. """Returns the ``vqd`` that fits to the *query*.
  68. :param query: The query term
  69. :param region: DDG's region code
  70. :param force_request: force a request to get a vqd value from DDG
  71. TL;DR; the ``vqd`` value is needed to pass DDG's bot protection and is used
  72. by all request to DDG:
  73. - DuckDuckGo Lite: ``https://lite.duckduckgo.com/lite`` (POST form data)
  74. - DuckDuckGo Web: ``https://links.duckduckgo.com/d.js?q=...&vqd=...``
  75. - DuckDuckGo Images: ``https://duckduckgo.com/i.js??q=...&vqd=...``
  76. - DuckDuckGo Videos: ``https://duckduckgo.com/v.js??q=...&vqd=...``
  77. - DuckDuckGo News: ``https://duckduckgo.com/news.js??q=...&vqd=...``
  78. DDG's bot detection is sensitive to the ``vqd`` value. For some search terms
  79. (such as extremely long search terms that are often sent by bots), no ``vqd``
  80. value can be determined.
  81. If SearXNG cannot determine a ``vqd`` value, then no request should go out
  82. to DDG.
  83. .. attention::
  84. A request with a wrong ``vqd`` value leads to DDG temporarily putting
  85. SearXNG's IP on a block list.
  86. Requests from IPs in this block list run into timeouts. Not sure, but it
  87. seems the block list is a sliding window: to get my IP rid from the bot list
  88. I had to cool down my IP for 1h (send no requests from that IP to DDG).
  89. """
  90. key = _cache_key(query, region)
  91. c = redisdb.client()
  92. if c:
  93. value = c.get(key)
  94. if value or value == b'':
  95. value = value.decode('utf-8') # type: ignore
  96. logger.debug("re-use CACHED vqd value: %s", value)
  97. return value
  98. for k, value in __CACHE:
  99. if k == key:
  100. logger.debug("MEM re-use CACHED vqd value: %s", value)
  101. return value
  102. if force_request:
  103. resp = get(f'https://duckduckgo.com/?q={quote_plus(query)}')
  104. if resp.status_code == 200: # type: ignore
  105. value = extr(resp.text, 'vqd="', '"') # type: ignore
  106. if value:
  107. logger.debug("vqd value from DDG request: %s", value)
  108. cache_vqd(query, region, value)
  109. return value
  110. return None
  111. def get_ddg_lang(eng_traits: EngineTraits, sxng_locale, default='en_US'):
  112. """Get DuckDuckGo's language identifier from SearXNG's locale.
  113. DuckDuckGo defines its languages by region codes (see
  114. :py:obj:`fetch_traits`).
  115. To get region and language of a DDG service use:
  116. .. code: python
  117. eng_region = traits.get_region(params['searxng_locale'], traits.all_locale)
  118. eng_lang = get_ddg_lang(traits, params['searxng_locale'])
  119. It might confuse, but the ``l`` value of the cookie is what SearXNG calls
  120. the *region*:
  121. .. code:: python
  122. # !ddi paris :es-AR --> {'ad': 'es_AR', 'ah': 'ar-es', 'l': 'ar-es'}
  123. params['cookies']['ad'] = eng_lang
  124. params['cookies']['ah'] = eng_region
  125. params['cookies']['l'] = eng_region
  126. .. hint::
  127. `DDG-lite <https://lite.duckduckgo.com/lite>`__ and the *no Javascript*
  128. page https://html.duckduckgo.com/html do not offer a language selection
  129. to the user, only a region can be selected by the user (``eng_region``
  130. from the example above). DDG-lite and *no Javascript* store the selected
  131. region in a cookie::
  132. params['cookies']['kl'] = eng_region # 'ar-es'
  133. """
  134. return eng_traits.custom['lang_region'].get( # type: ignore
  135. sxng_locale, eng_traits.get_language(sxng_locale, default)
  136. )
  137. ddg_reg_map = {
  138. 'tw-tzh': 'zh_TW',
  139. 'hk-tzh': 'zh_HK',
  140. 'ct-ca': 'skip', # ct-ca and es-ca both map to ca_ES
  141. 'es-ca': 'ca_ES',
  142. 'id-en': 'id_ID',
  143. 'no-no': 'nb_NO',
  144. 'jp-jp': 'ja_JP',
  145. 'kr-kr': 'ko_KR',
  146. 'xa-ar': 'ar_SA',
  147. 'sl-sl': 'sl_SI',
  148. 'th-en': 'th_TH',
  149. 'vn-en': 'vi_VN',
  150. }
  151. ddg_lang_map = {
  152. # use ar --> ar_EG (Egypt's arabic)
  153. "ar_DZ": 'lang_region',
  154. "ar_JO": 'lang_region',
  155. "ar_SA": 'lang_region',
  156. # use bn --> bn_BD
  157. 'bn_IN': 'lang_region',
  158. # use de --> de_DE
  159. 'de_CH': 'lang_region',
  160. # use en --> en_US,
  161. 'en_AU': 'lang_region',
  162. 'en_CA': 'lang_region',
  163. 'en_GB': 'lang_region',
  164. # Esperanto
  165. 'eo_XX': 'eo',
  166. # use es --> es_ES,
  167. 'es_AR': 'lang_region',
  168. 'es_CL': 'lang_region',
  169. 'es_CO': 'lang_region',
  170. 'es_CR': 'lang_region',
  171. 'es_EC': 'lang_region',
  172. 'es_MX': 'lang_region',
  173. 'es_PE': 'lang_region',
  174. 'es_UY': 'lang_region',
  175. 'es_VE': 'lang_region',
  176. # use fr --> rf_FR
  177. 'fr_CA': 'lang_region',
  178. 'fr_CH': 'lang_region',
  179. 'fr_BE': 'lang_region',
  180. # use nl --> nl_NL
  181. 'nl_BE': 'lang_region',
  182. # use pt --> pt_PT
  183. 'pt_BR': 'lang_region',
  184. # skip these languages
  185. 'od_IN': 'skip',
  186. 'io_XX': 'skip',
  187. 'tokipona_XX': 'skip',
  188. }
  189. def quote_ddg_bangs(query):
  190. # quote ddg bangs
  191. query_parts = []
  192. # for val in re.split(r'(\s+)', query):
  193. for val in re.split(r'(\s+)', query):
  194. if not val.strip():
  195. continue
  196. if val.startswith('!') and external_bang.get_node(external_bang.EXTERNAL_BANGS, val[1:]):
  197. val = f"'{val}'"
  198. query_parts.append(val)
  199. return ' '.join(query_parts)
  200. def request(query, params):
  201. query = quote_ddg_bangs(query)
  202. if len(query) >= 500:
  203. # DDG does not accept queries with more than 499 chars
  204. params["url"] = None
  205. return
  206. # Advanced search syntax ends in CAPTCHA
  207. # https://duckduckgo.com/duckduckgo-help-pages/results/syntax/
  208. query = " ".join(
  209. [
  210. x.removeprefix("site:").removeprefix("intitle:").removeprefix("inurl:").removeprefix("filetype:")
  211. for x in query.split()
  212. ]
  213. )
  214. eng_region: str = traits.get_region(params['searxng_locale'], traits.all_locale) # type: ignore
  215. if eng_region == "wt-wt":
  216. # https://html.duckduckgo.com/html sets an empty value for "all".
  217. eng_region = ""
  218. params['data']['kl'] = eng_region
  219. params['cookies']['kl'] = eng_region
  220. # eng_lang = get_ddg_lang(traits, params['searxng_locale'])
  221. params['url'] = url
  222. params['method'] = 'POST'
  223. params['data']['q'] = query
  224. # The API is not documented, so we do some reverse engineering and emulate
  225. # what https://html.duckduckgo.com/html does when you press "next Page" link
  226. # again and again ..
  227. params['headers']['Content-Type'] = 'application/x-www-form-urlencoded'
  228. params['headers']['Sec-Fetch-Dest'] = "document"
  229. params['headers']['Sec-Fetch-Mode'] = "navigate" # at least this one is used by ddg's bot detection
  230. params['headers']['Sec-Fetch-Site'] = "same-origin"
  231. params['headers']['Sec-Fetch-User'] = "?1"
  232. # Form of the initial search page does have empty values in the form
  233. if params['pageno'] == 1:
  234. params['data']['b'] = ""
  235. params['data']['df'] = ''
  236. if params['time_range'] in time_range_dict:
  237. params['data']['df'] = time_range_dict[params['time_range']]
  238. params['cookies']['df'] = time_range_dict[params['time_range']]
  239. if params['pageno'] == 2:
  240. # second page does have an offset of 20
  241. offset = (params['pageno'] - 1) * 20
  242. params['data']['s'] = offset
  243. params['data']['dc'] = offset + 1
  244. elif params['pageno'] > 2:
  245. # third and following pages do have an offset of 20 + n*50
  246. offset = 20 + (params['pageno'] - 2) * 50
  247. params['data']['s'] = offset
  248. params['data']['dc'] = offset + 1
  249. if params['pageno'] > 1:
  250. # initial page does not have these additional data in the input form
  251. params['data']['o'] = form_data.get('o', 'json')
  252. params['data']['api'] = form_data.get('api', 'd.js')
  253. params['data']['nextParams'] = form_data.get('nextParams', '')
  254. params['data']['v'] = form_data.get('v', 'l')
  255. params['headers']['Referer'] = url
  256. vqd = get_vqd(query, eng_region, force_request=False)
  257. # Certain conditions must be met in order to call up one of the
  258. # following pages ...
  259. if vqd:
  260. params['data']['vqd'] = vqd # follow up pages / requests needs a vqd argument
  261. else:
  262. # Don't try to call follow up pages without a vqd value. DDG
  263. # recognizes this as a request from a bot. This lowers the
  264. # reputation of the SearXNG IP and DDG starts to activate CAPTCHAs.
  265. params["url"] = None
  266. return
  267. if params['searxng_locale'].startswith("zh"):
  268. # Some locales (at least China) do not have a "next page" button and ddg
  269. # will return a HTTP/2 403 Forbidden for a request of such a page.
  270. params["url"] = None
  271. return
  272. logger.debug("param data: %s", params['data'])
  273. logger.debug("param cookies: %s", params['cookies'])
  274. def is_ddg_captcha(dom):
  275. """In case of CAPTCHA ddg response its own *not a Robot* dialog and is not
  276. redirected to a CAPTCHA page."""
  277. return bool(eval_xpath(dom, "//form[@id='challenge-form']"))
  278. def response(resp) -> EngineResults:
  279. results = EngineResults()
  280. if resp.status_code == 303:
  281. return results
  282. doc = lxml.html.fromstring(resp.text)
  283. if is_ddg_captcha(doc):
  284. # set suspend time to zero is OK --> ddg does not block the IP
  285. raise SearxEngineCaptchaException(suspended_time=0, message=f"CAPTCHA ({resp.search_params['data'].get('kl')})")
  286. form = eval_xpath(doc, '//input[@name="vqd"]/..')
  287. if len(form):
  288. # some locales (at least China) does not have a "next page" button
  289. form = form[0]
  290. form_vqd = eval_xpath(form, '//input[@name="vqd"]/@value')[0]
  291. cache_vqd(resp.search_params['data']['q'], resp.search_params['data']['kl'], form_vqd)
  292. # just select "web-result" and ignore results of class "result--ad result--ad--small"
  293. for div_result in eval_xpath(doc, '//div[@id="links"]/div[contains(@class, "web-result")]'):
  294. item = {}
  295. title = eval_xpath(div_result, './/h2/a')
  296. if not title:
  297. # this is the "No results." item in the result list
  298. continue
  299. item["title"] = extract_text(title)
  300. item["url"] = eval_xpath(div_result, './/h2/a/@href')[0]
  301. item["content"] = extract_text(eval_xpath(div_result, './/a[contains(@class, "result__snippet")]')[0])
  302. results.append(item)
  303. zero_click_info_xpath = '//div[@id="zero_click_abstract"]'
  304. zero_click = extract_text(eval_xpath(doc, zero_click_info_xpath)).strip() # type: ignore
  305. if zero_click and (
  306. "Your IP address is" not in zero_click
  307. and "Your user agent:" not in zero_click
  308. and "URL Decoded:" not in zero_click
  309. ):
  310. current_query = resp.search_params["data"].get("q")
  311. results.add(
  312. results.types.Answer(
  313. answer=zero_click,
  314. url="https://duckduckgo.com/?"
  315. + urlencode(
  316. {"q": current_query},
  317. ),
  318. )
  319. )
  320. return results
  321. def fetch_traits(engine_traits: EngineTraits):
  322. """Fetch languages & regions from DuckDuckGo.
  323. SearXNG's ``all`` locale maps DuckDuckGo's "Alle regions" (``wt-wt``).
  324. DuckDuckGo's language "Browsers preferred language" (``wt_WT``) makes no
  325. sense in a SearXNG request since SearXNG's ``all`` will not add a
  326. ``Accept-Language`` HTTP header. The value in ``engine_traits.all_locale``
  327. is ``wt-wt`` (the region).
  328. Beside regions DuckDuckGo also defines its languages by region codes. By
  329. example these are the english languages in DuckDuckGo:
  330. - en_US
  331. - en_AU
  332. - en_CA
  333. - en_GB
  334. The function :py:obj:`get_ddg_lang` evaluates DuckDuckGo's language from
  335. SearXNG's locale.
  336. """
  337. # pylint: disable=too-many-branches, too-many-statements, disable=import-outside-toplevel
  338. from searx.utils import js_variable_to_python
  339. # fetch regions
  340. engine_traits.all_locale = 'wt-wt'
  341. # updated from u661.js to u.7669f071a13a7daa57cb / should be updated automatically?
  342. resp = get('https://duckduckgo.com/dist/util/u.7669f071a13a7daa57cb.js')
  343. if not resp.ok: # type: ignore
  344. print("ERROR: response from DuckDuckGo is not OK.")
  345. js_code = extr(resp.text, 'regions:', ',snippetLengths') # type: ignore
  346. regions = json.loads(js_code)
  347. for eng_tag, name in regions.items():
  348. if eng_tag == 'wt-wt':
  349. engine_traits.all_locale = 'wt-wt'
  350. continue
  351. region = ddg_reg_map.get(eng_tag)
  352. if region == 'skip':
  353. continue
  354. if not region:
  355. eng_territory, eng_lang = eng_tag.split('-')
  356. region = eng_lang + '_' + eng_territory.upper()
  357. try:
  358. sxng_tag = locales.region_tag(babel.Locale.parse(region))
  359. except babel.UnknownLocaleError:
  360. print("ERROR: %s (%s) -> %s is unknown by babel" % (name, eng_tag, region))
  361. continue
  362. conflict = engine_traits.regions.get(sxng_tag)
  363. if conflict:
  364. if conflict != eng_tag:
  365. print("CONFLICT: babel %s --> %s, %s" % (sxng_tag, conflict, eng_tag))
  366. continue
  367. engine_traits.regions[sxng_tag] = eng_tag
  368. # fetch languages
  369. engine_traits.custom['lang_region'] = {}
  370. js_code = extr(resp.text, 'languages:', ',regions') # type: ignore
  371. languages = js_variable_to_python(js_code)
  372. for eng_lang, name in languages.items():
  373. if eng_lang == 'wt_WT':
  374. continue
  375. babel_tag = ddg_lang_map.get(eng_lang, eng_lang)
  376. if babel_tag == 'skip':
  377. continue
  378. try:
  379. if babel_tag == 'lang_region':
  380. sxng_tag = locales.region_tag(babel.Locale.parse(eng_lang))
  381. engine_traits.custom['lang_region'][sxng_tag] = eng_lang
  382. continue
  383. sxng_tag = locales.language_tag(babel.Locale.parse(babel_tag))
  384. except babel.UnknownLocaleError:
  385. print("ERROR: language %s (%s) is unknown by babel" % (name, eng_lang))
  386. continue
  387. conflict = engine_traits.languages.get(sxng_tag)
  388. if conflict:
  389. if conflict != eng_lang:
  390. print("CONFLICT: babel %s --> %s, %s" % (sxng_tag, conflict, eng_lang))
  391. continue
  392. engine_traits.languages[sxng_tag] = eng_lang