.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
postgresql.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2"""PostgreSQL is a powerful and robust open source database. Before configuring
3the PostgreSQL engine, you must install the dependency ``psychopg2``.
4
5Example
6=======
7
8Below is an example configuration:
9
10.. code:: yaml
11
12 - name: my_database
13 engine: postgresql
14 database: my_database
15 username: searxng
16 password: password
17 query_str: 'SELECT * from my_table WHERE my_column = %(query)s'
18
19Implementations
20===============
21
22"""
23
24try:
25 import psycopg2 # type: ignore
26except ImportError:
27 # import error is ignored because the admin has to install postgresql
28 # manually to use the engine.
29 pass
30
31from searx.result_types import EngineResults
32
33engine_type = 'offline'
34
35host = "127.0.0.1"
36"""Hostname of the DB connector"""
37
38port = "5432"
39"""Port of the DB connector"""
40
41database = ""
42"""Name of the database."""
43
44username = ""
45"""Username for the DB connection."""
46
47password = ""
48"""Password for the DB connection."""
49
50query_str = ""
51"""SQL query that returns the result items."""
52
53limit = 10
54paging = True
55_connection = None
56
57
58def init(engine_settings):
59 global _connection # pylint: disable=global-statement
60
61 if 'query_str' not in engine_settings:
62 raise ValueError('query_str cannot be empty')
63
64 if not engine_settings['query_str'].lower().startswith('select '):
65 raise ValueError('only SELECT query is supported')
66
67 _connection = psycopg2.connect(
68 database=database,
69 user=username,
70 password=password,
71 host=host,
72 port=port,
73 )
74
75
76def search(query, params) -> EngineResults:
77 query_params = {'query': query}
78 query_to_run = query_str + ' LIMIT {0} OFFSET {1}'.format(limit, (params['pageno'] - 1) * limit)
79
80 with _connection:
81 with _connection.cursor() as cur:
82 cur.execute(query_to_run, query_params)
83 return _fetch_results(cur)
84
85
86def _fetch_results(cur) -> EngineResults:
87 res = EngineResults()
88 try:
89 titles = [column_desc.name for column_desc in cur.description]
90 for row in cur:
91 kvmap = dict(zip(titles, map(str, row)))
92 res.add(res.types.KeyValue(kvmap=kvmap))
93
94 # no results to fetch
95 except psycopg2.ProgrammingError:
96 pass
97
98 return res