.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
google_images.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2"""This is the implementation of the Google Images engine using the internal
3Google API used by the Google Go Android app.
4
5This internal API offer results in
6
7- JSON (``_fmt:json``)
8- Protobuf_ (``_fmt:pb``)
9- Protobuf_ compressed? (``_fmt:pc``)
10- HTML (``_fmt:html``)
11- Protobuf_ encoded in JSON (``_fmt:jspb``).
12
13.. _Protobuf: https://en.wikipedia.org/wiki/Protocol_Buffers
14"""
15
16from typing import TYPE_CHECKING
17
18from urllib.parse import urlencode
19from json import loads
20
21from searx.engines.google import fetch_traits # pylint: disable=unused-import
22from searx.engines.google import (
23 get_google_info,
24 time_range_dict,
25 detect_google_sorry,
26)
27
28if TYPE_CHECKING:
29 import logging
30 from searx.enginelib.traits import EngineTraits
31
32 logger: logging.Logger
33 traits: EngineTraits
34
35
36# about
37about = {
38 "website": 'https://images.google.com',
39 "wikidata_id": 'Q521550',
40 "official_api_documentation": 'https://developers.google.com/custom-search',
41 "use_official_api": False,
42 "require_api_key": False,
43 "results": 'JSON',
44}
45
46# engine dependent config
47categories = ['images', 'web']
48paging = True
49max_page = 50
50"""`Google max 50 pages`_
51
52.. _Google max 50 pages: https://github.com/searxng/searxng/issues/2982
53"""
54
55time_range_support = True
56safesearch = True
57send_accept_language_header = True
58
59filter_mapping = {0: 'images', 1: 'active', 2: 'active'}
60
61
62def request(query, params):
63 """Google-Image search request"""
64
65 google_info = get_google_info(params, traits)
66
67 query_url = (
68 'https://'
69 + google_info['subdomain']
70 + '/search'
71 + '?'
72 + urlencode({'q': query, 'tbm': "isch", **google_info['params'], 'asearch': 'isch'})
73 # don't urlencode this because wildly different AND bad results
74 # pagination uses Zero-based numbering
75 + f'&async=_fmt:json,p:1,ijn:{params["pageno"] - 1}'
76 )
77
78 if params['time_range'] in time_range_dict:
79 query_url += '&' + urlencode({'tbs': 'qdr:' + time_range_dict[params['time_range']]})
80 if params['safesearch']:
81 query_url += '&' + urlencode({'safe': filter_mapping[params['safesearch']]})
82 params['url'] = query_url
83 params['cookies'] = google_info['cookies']
84 params['headers'].update(google_info['headers'])
85 # this ua will allow getting ~50 results instead of 10. #1641
86 params['headers']['User-Agent'] = (
87 'NSTN/3.60.474802233.release Dalvik/2.1.0 (Linux; U; Android 12;' f' {google_info.get("country", "US")}) gzip'
88 )
89
90 return params
91
92
93def response(resp):
94 """Get response from google's search request"""
95 results = []
96
97 detect_google_sorry(resp)
98
99 json_start = resp.text.find('{"ischj":')
100 json_data = loads(resp.text[json_start:])
101
102 for item in json_data["ischj"].get("metadata", []):
103 result_item = {
104 'url': item["result"]["referrer_url"],
105 'title': item["result"]["page_title"],
106 'content': item["text_in_grid"]["snippet"],
107 'source': item["result"]["site_title"],
108 'resolution': f'{item["original_image"]["width"]} x {item["original_image"]["height"]}',
109 'img_src': item["original_image"]["url"],
110 'thumbnail_src': item["thumbnail"]["url"],
111 'template': 'images.html',
112 }
113
114 author = item["result"].get('iptc', {}).get('creator')
115 if author:
116 result_item['author'] = ', '.join(author)
117
118 copyright_notice = item["result"].get('iptc', {}).get('copyright_notice')
119 if copyright_notice:
120 result_item['source'] += ' | ' + copyright_notice
121
122 freshness_date = item["result"].get("freshness_date")
123 if freshness_date:
124 result_item['source'] += ' | ' + freshness_date
125
126 file_size = item.get('gsa', {}).get('file_size')
127 if file_size:
128 result_item['source'] += ' (%s)' % file_size
129
130 results.append(result_item)
131
132 return results