qwant.py 7.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232
  1. # SPDX-License-Identifier: AGPL-3.0-or-later
  2. # lint: pylint
  3. """Qwant (Web, News, Images, Videos)
  4. This engine uses the Qwant API (https://api.qwant.com/v3). The API is
  5. undocumented but can be reverse engineered by reading the network log of
  6. https://www.qwant.com/ queries.
  7. This implementation is used by different qwant engines in the settings.yml::
  8. - name: qwant
  9. categories: general
  10. ...
  11. - name: qwant news
  12. categories: news
  13. ...
  14. - name: qwant images
  15. categories: images
  16. ...
  17. - name: qwant videos
  18. categories: videos
  19. ...
  20. """
  21. from datetime import (
  22. datetime,
  23. timedelta,
  24. )
  25. from json import loads
  26. from urllib.parse import urlencode
  27. from flask_babel import gettext
  28. from searx.utils import match_language
  29. from searx.exceptions import SearxEngineAPIException
  30. from searx.network import raise_for_httperror
  31. # about
  32. about = {
  33. "website": 'https://www.qwant.com/',
  34. "wikidata_id": 'Q14657870',
  35. "official_api_documentation": None,
  36. "use_official_api": True,
  37. "require_api_key": False,
  38. "results": 'JSON',
  39. }
  40. # engine dependent config
  41. categories = []
  42. paging = True
  43. supported_languages_url = about['website']
  44. category_to_keyword = {
  45. 'general': 'web',
  46. 'news': 'news',
  47. 'images': 'images',
  48. 'videos': 'videos',
  49. }
  50. # search-url
  51. url = 'https://api.qwant.com/v3/search/{keyword}?q={query}&count={count}&offset={offset}'
  52. def request(query, params):
  53. """Qwant search request"""
  54. keyword = category_to_keyword[categories[0]]
  55. count = 10 # web: count must be equal to 10
  56. if keyword == 'images':
  57. count = 50
  58. offset = (params['pageno'] - 1) * count
  59. # count + offset must be lower than 250
  60. offset = min(offset, 199)
  61. else:
  62. offset = (params['pageno'] - 1) * count
  63. # count + offset must be lower than 50
  64. offset = min(offset, 40)
  65. params['url'] = url.format(
  66. keyword = keyword,
  67. query = urlencode({'q': query}),
  68. offset = offset,
  69. count = count,
  70. )
  71. # add language tag
  72. if params['language'] != 'all':
  73. language = match_language(
  74. params['language'],
  75. # pylint: disable=undefined-variable
  76. supported_languages,
  77. language_aliases,
  78. )
  79. params['url'] += '&locale=' + language.replace('-', '_')
  80. params['raise_for_httperror'] = False
  81. return params
  82. def response(resp):
  83. """Get response from Qwant's search request"""
  84. # pylint: disable=too-many-locals, too-many-branches, too-many-statements
  85. keyword = category_to_keyword[categories[0]]
  86. results = []
  87. # load JSON result
  88. search_results = loads(resp.text)
  89. data = search_results.get('data', {})
  90. # check for an API error
  91. if search_results.get('status') != 'success':
  92. msg = ",".join(data.get('message', ['unknown', ]))
  93. raise SearxEngineAPIException('API error::' + msg)
  94. # raise for other errors
  95. raise_for_httperror(resp)
  96. if keyword == 'web':
  97. # The WEB query contains a list named 'mainline'. This list can contain
  98. # different result types (e.g. mainline[0]['type'] returns type of the
  99. # result items in mainline[0]['items']
  100. mainline = data.get('result', {}).get('items', {}).get('mainline', {})
  101. else:
  102. # Queries on News, Images and Videos do not have a list named 'mainline'
  103. # in the response. The result items are directly in the list
  104. # result['items'].
  105. mainline = data.get('result', {}).get('items', [])
  106. mainline = [
  107. {'type' : keyword, 'items' : mainline },
  108. ]
  109. # return empty array if there are no results
  110. if not mainline:
  111. return []
  112. for row in mainline:
  113. mainline_type = row.get('type', 'web')
  114. if mainline_type == 'ads':
  115. # ignore adds
  116. continue
  117. mainline_items = row.get('items', [])
  118. for item in mainline_items:
  119. title = item['title']
  120. res_url = item['url']
  121. if mainline_type == 'web':
  122. content = item['desc']
  123. results.append({
  124. 'title': title,
  125. 'url': res_url,
  126. 'content': content,
  127. })
  128. elif mainline_type == 'news':
  129. pub_date = datetime.fromtimestamp(item['date'], None)
  130. news_media = item.get('media', [])
  131. img_src = None
  132. if news_media:
  133. img_src = news_media[0].get('pict', {}).get('url', None)
  134. results.append({
  135. 'title': title,
  136. 'url': res_url,
  137. 'publishedDate': pub_date,
  138. 'img_src': img_src,
  139. })
  140. elif mainline_type == 'images':
  141. thumbnail = item['thumbnail']
  142. img_src = item['media']
  143. results.append({
  144. 'title': title,
  145. 'url': res_url,
  146. 'template': 'images.html',
  147. 'thumbnail_src': thumbnail,
  148. 'img_src': img_src,
  149. })
  150. elif mainline_type == 'videos':
  151. # some videos do not have a description: while qwant-video
  152. # returns an empty string, such video from a qwant-web query
  153. # miss the 'desc' key.
  154. d, s, c = item.get('desc'), item.get('source'), item.get('channel')
  155. content_parts = []
  156. if d:
  157. content_parts.append(d)
  158. if s:
  159. content_parts.append("%s: %s " % (gettext("Source"), s))
  160. if c:
  161. content_parts.append("%s: %s " % (gettext("Channel"), c))
  162. content = ' // '.join(content_parts)
  163. length = timedelta(seconds=item['duration'])
  164. pub_date = datetime.fromtimestamp(item['date'])
  165. thumbnail = item['thumbnail']
  166. # from some locations (DE and others?) the s2 link do
  167. # response a 'Please wait ..' but does not deliver the thumbnail
  168. thumbnail = thumbnail.replace(
  169. 'https://s2.qwant.com',
  170. 'https://s1.qwant.com', 1
  171. )
  172. results.append({
  173. 'title': title,
  174. 'url': res_url,
  175. 'content': content,
  176. 'publishedDate': pub_date,
  177. 'thumbnail': thumbnail,
  178. 'template': 'videos.html',
  179. 'length': length,
  180. })
  181. return results
  182. # get supported languages from their site
  183. def _fetch_supported_languages(resp):
  184. # list of regions is embedded in page as a js object
  185. response_text = resp.text
  186. response_text = response_text[response_text.find('INITIAL_PROPS'):]
  187. response_text = response_text[response_text.find('{'):response_text.find('</script>')]
  188. regions_json = loads(response_text)
  189. supported_languages = []
  190. for country, langs in regions_json['locales'].items():
  191. for lang in langs['langs']:
  192. lang_code = "{lang}-{country}".format(lang=lang, country=country)
  193. supported_languages.append(lang_code)
  194. return supported_languages