.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
redis_server.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2"""Redis is an open source (BSD licensed), in-memory data structure (key value
3based) store. Before configuring the ``redis_server`` engine, you must install
4the dependency redis_.
5
6Configuration
7=============
8
9Select a database to search in and set its index in the option ``db``. You can
10either look for exact matches or use partial keywords to find what you are
11looking for by configuring ``exact_match_only``.
12
13Example
14=======
15
16Below is an example configuration:
17
18.. code:: yaml
19
20 # Required dependency: redis
21
22 - name: myredis
23 shortcut : rds
24 engine: redis_server
25 exact_match_only: false
26 host: '127.0.0.1'
27 port: 6379
28 enable_http: true
29 password: ''
30 db: 0
31
32Implementations
33===============
34
35"""
36
37import redis # pylint: disable=import-error
38
39from searx.result_types import EngineResults
40
41engine_type = 'offline'
42
43# redis connection variables
44host = '127.0.0.1'
45port = 6379
46password = ''
47db = 0
48
49# engine specific variables
50paging = False
51exact_match_only = True
52
53_redis_client = None
54
55
56def init(_engine_settings):
57 global _redis_client # pylint: disable=global-statement
58 _redis_client = redis.StrictRedis(
59 host=host,
60 port=port,
61 db=db,
62 password=password or None,
63 decode_responses=True,
64 )
65
66
67def search(query, _params) -> EngineResults:
68 res = EngineResults()
69
70 if not exact_match_only:
71 for kvmap in search_keys(query):
72 res.add(res.types.KeyValue(kvmap=kvmap))
73 return res
74
75 kvmap: dict[str, str] = _redis_client.hgetall(query)
76 if kvmap:
77 res.add(res.types.KeyValue(kvmap=kvmap))
78 elif " " in query:
79 qset, rest = query.split(" ", 1)
80 for row in _redis_client.hscan_iter(qset, match='*{}*'.format(rest)):
81 res.add(res.types.KeyValue(kvmap={row[0]: row[1]}))
82 return res
83
84
85def search_keys(query) -> list[dict]:
86 ret = []
87 for key in _redis_client.scan_iter(match='*{}*'.format(query)):
88 key_type = _redis_client.type(key)
89 res = None
90
91 if key_type == 'hash':
92 res = _redis_client.hgetall(key)
93 elif key_type == 'list':
94 res = dict(enumerate(_redis_client.lrange(key, 0, -1)))
95
96 if res:
97 res['redis_key'] = key
98 ret.append(res)
99 return ret
list[dict] search_keys(query)
init(_engine_settings)