.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
mongodb.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2"""MongoDB_ is a document based database program that handles JSON like data.
3Before configuring the ``mongodb`` engine, you must install the dependency
4pymongo_.
5
6Configuration
7=============
8
9In order to query MongoDB_, you have to select a ``database`` and a
10``collection``. Furthermore, you have to select a ``key`` that is going to be
11searched. MongoDB_ also supports the option ``exact_match_only``, so configure
12it as you wish.
13
14Example
15=======
16
17Below is an example configuration for using a MongoDB collection:
18
19.. code:: yaml
20
21 # MongoDB engine
22 # Required dependency: pymongo
23
24 - name: mymongo
25 engine: mongodb
26 shortcut: md
27 exact_match_only: false
28 host: '127.0.0.1'
29 port: 27017
30 enable_http: true
31 results_per_page: 20
32 database: 'business'
33 collection: 'reviews' # name of the db collection
34 key: 'name' # key in the collection to search for
35
36Implementations
37===============
38
39"""
40from __future__ import annotations
41
42import re
43
44try:
45 from pymongo import MongoClient # type: ignore
46except ImportError:
47 # import error is ignored because the admin has to install pymongo manually
48 # to use the engine
49 pass
50
51from searx.result_types import EngineResults
52
53
54engine_type = 'offline'
55
56# mongodb connection variables
57host = '127.0.0.1'
58port = 27017
59username = ''
60password = ''
61database = None
62collection = None
63key = None
64
65# engine specific variables
66paging = True
67results_per_page = 20
68exact_match_only = False
69
70_client = None
71
72
73def init(_):
74 connect()
75
76
77def connect():
78 global _client # pylint: disable=global-statement
79 kwargs: dict[str, str | int] = {'port': port}
80 if username:
81 kwargs['username'] = username
82 if password:
83 kwargs['password'] = password
84 _client = MongoClient(host, **kwargs)[database][collection]
85
86
87def search(query, params) -> EngineResults:
88 res = EngineResults()
89 if exact_match_only:
90 q = {'$eq': query}
91 else:
92 _re = re.compile('.*{0}.*'.format(re.escape(query)), re.I | re.M)
93 q = {'$regex': _re}
94
95 query = _client.find({key: q}).skip((params['pageno'] - 1) * results_per_page).limit(results_per_page)
96
97 res.add(res.types.LegacyResult(number_of_results=query.count()))
98 for row in query:
99 del row['_id']
100 kvmap = {str(k): str(v) for k, v in row.items()}
101 res.add(res.types.KeyValue(kvmap=kvmap))
102
103 return res