qwant.py 7.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240
  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. params['url'] += '&locale=en_us'
  74. else:
  75. language = match_language(
  76. params['language'],
  77. supported_languages,
  78. language_aliases,
  79. )
  80. params['url'] += '&locale=' + language.replace('-', '_').lower()
  81. params['raise_for_httperror'] = False
  82. return params
  83. def response(resp):
  84. """Get response from Qwant's search request"""
  85. # pylint: disable=too-many-locals, too-many-branches, too-many-statements
  86. keyword = category_to_keyword[categories[0]]
  87. results = []
  88. # load JSON result
  89. search_results = loads(resp.text)
  90. data = search_results.get('data', {})
  91. # check for an API error
  92. if search_results.get('status') != 'success':
  93. msg = ",".join(data.get('message', ['unknown', ]))
  94. raise SearxEngineAPIException('API error::' + msg)
  95. # raise for other errors
  96. raise_for_httperror(resp)
  97. if keyword == 'web':
  98. # The WEB query contains a list named 'mainline'. This list can contain
  99. # different result types (e.g. mainline[0]['type'] returns type of the
  100. # result items in mainline[0]['items']
  101. mainline = data.get('result', {}).get('items', {}).get('mainline', {})
  102. else:
  103. # Queries on News, Images and Videos do not have a list named 'mainline'
  104. # in the response. The result items are directly in the list
  105. # result['items'].
  106. mainline = data.get('result', {}).get('items', [])
  107. mainline = [
  108. {'type' : keyword, 'items' : mainline },
  109. ]
  110. # return empty array if there are no results
  111. if not mainline:
  112. return []
  113. for row in mainline:
  114. mainline_type = row.get('type', 'web')
  115. if mainline_type == 'ads':
  116. # ignore adds
  117. continue
  118. mainline_items = row.get('items', [])
  119. for item in mainline_items:
  120. title = item.get('title', None)
  121. res_url = item.get('url', None)
  122. if mainline_type == 'web':
  123. content = item['desc']
  124. results.append({
  125. 'title': title,
  126. 'url': res_url,
  127. 'content': content,
  128. })
  129. elif mainline_type == 'news':
  130. pub_date = item['date']
  131. if pub_date is not None:
  132. pub_date = datetime.fromtimestamp(pub_date)
  133. news_media = item.get('media', [])
  134. img_src = None
  135. if news_media:
  136. img_src = news_media[0].get('pict', {}).get('url', None)
  137. results.append({
  138. 'title': title,
  139. 'url': res_url,
  140. 'publishedDate': pub_date,
  141. 'img_src': img_src,
  142. })
  143. elif mainline_type == 'images':
  144. thumbnail = item['thumbnail']
  145. img_src = item['media']
  146. results.append({
  147. 'title': title,
  148. 'url': res_url,
  149. 'template': 'images.html',
  150. 'thumbnail_src': thumbnail,
  151. 'img_src': img_src,
  152. })
  153. elif mainline_type == 'videos':
  154. # some videos do not have a description: while qwant-video
  155. # returns an empty string, such video from a qwant-web query
  156. # miss the 'desc' key.
  157. d, s, c = item.get('desc'), item.get('source'), item.get('channel')
  158. content_parts = []
  159. if d:
  160. content_parts.append(d)
  161. if s:
  162. content_parts.append("%s: %s " % (gettext("Source"), s))
  163. if c:
  164. content_parts.append("%s: %s " % (gettext("Channel"), c))
  165. content = ' // '.join(content_parts)
  166. length = item['duration']
  167. if length is not None:
  168. length = timedelta(milliseconds=length)
  169. pub_date = item['date']
  170. if pub_date is not None:
  171. pub_date = datetime.fromtimestamp(pub_date)
  172. thumbnail = item['thumbnail']
  173. # from some locations (DE and others?) the s2 link do
  174. # response a 'Please wait ..' but does not deliver the thumbnail
  175. thumbnail = thumbnail.replace(
  176. 'https://s2.qwant.com',
  177. 'https://s1.qwant.com', 1
  178. )
  179. results.append({
  180. 'title': title,
  181. 'url': res_url,
  182. 'content': content,
  183. 'publishedDate': pub_date,
  184. 'thumbnail': thumbnail,
  185. 'template': 'videos.html',
  186. 'length': length,
  187. })
  188. return results
  189. # get supported languages from their site
  190. def _fetch_supported_languages(resp):
  191. # list of regions is embedded in page as a js object
  192. response_text = resp.text
  193. response_text = response_text[response_text.find('INITIAL_PROPS'):]
  194. response_text = response_text[response_text.find('{'):response_text.find('</script>')]
  195. regions_json = loads(response_text)
  196. supported_languages = []
  197. for country, langs in regions_json['locales'].items():
  198. for lang in langs['langs']:
  199. lang_code = "{lang}-{country}".format(lang=lang, country=country)
  200. supported_languages.append(lang_code)
  201. return supported_languages