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