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