.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
sqlite.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2"""SQLite is a small, fast and reliable SQL database engine. It does not require
3any extra dependency.
4
5Configuration
6=============
7
8The engine has the following (additional) settings:
9
10- :py:obj:`result_type`
11
12
13Example
14=======
15
16.. _MediathekView: https://mediathekview.de/
17
18To demonstrate the power of database engines, here is a more complex example
19which reads from a MediathekView_ (DE) movie database. For this example of the
20SQLite engine download the database:
21
22- https://liste.mediathekview.de/filmliste-v2.db.bz2
23
24and unpack into ``searx/data/filmliste-v2.db``. To search the database use e.g
25Query to test: ``!mediathekview concert``
26
27.. code:: yaml
28
29 - name: mediathekview
30 engine: sqlite
31 shortcut: mediathekview
32 categories: [general, videos]
33 result_type: MainResult
34 database: searx/data/filmliste-v2.db
35 query_str: >-
36 SELECT title || ' (' || time(duration, 'unixepoch') || ')' AS title,
37 COALESCE( NULLIF(url_video_hd,''), NULLIF(url_video_sd,''), url_video) AS url,
38 description AS content
39 FROM film
40 WHERE title LIKE :wildcard OR description LIKE :wildcard
41 ORDER BY duration DESC
42
43Implementations
44===============
45
46"""
47import typing
48import sqlite3
49import contextlib
50
51from searx.result_types import EngineResults
52from searx.result_types import MainResult, KeyValue
53
54engine_type = "offline"
55
56database = ""
57"""Filename of the SQLite DB."""
58
59query_str = ""
60"""SQL query that returns the result items."""
61
62result_type: typing.Literal["MainResult", "KeyValue"] = "KeyValue"
63"""The result type can be :py:obj:`MainResult` or :py:obj:`KeyValue`."""
64
65limit = 10
66paging = True
67
68
69def init(engine_settings):
70 if 'query_str' not in engine_settings:
71 raise ValueError('query_str cannot be empty')
72
73 if not engine_settings['query_str'].lower().startswith('select '):
74 raise ValueError('only SELECT query is supported')
75
76
77@contextlib.contextmanager
79 """Implements a :py:obj:`Context Manager <contextlib.contextmanager>` for a
80 :py:obj:`sqlite3.Cursor`.
81
82 Open database in read only mode: if the database doesn't exist. The default
83 mode creates an empty file on the file system. See:
84
85 * https://docs.python.org/3/library/sqlite3.html#sqlite3.connect
86 * https://www.sqlite.org/uri.html
87
88 """
89 uri = 'file:' + database + '?mode=ro'
90 with contextlib.closing(sqlite3.connect(uri, uri=True)) as connect:
91 connect.row_factory = sqlite3.Row
92 with contextlib.closing(connect.cursor()) as cursor:
93 yield cursor
94
95
96def search(query, params) -> EngineResults:
97 res = EngineResults()
98 query_params = {
99 'query': query,
100 'wildcard': r'%' + query.replace(' ', r'%') + r'%',
101 'limit': limit,
102 'offset': (params['pageno'] - 1) * limit,
103 }
104 query_to_run = query_str + ' LIMIT :limit OFFSET :offset'
105
106 with sqlite_cursor() as cur:
107
108 cur.execute(query_to_run, query_params)
109 col_names = [cn[0] for cn in cur.description]
110
111 for row in cur.fetchall():
112 kvmap = dict(zip(col_names, map(str, row)))
113 if result_type == "MainResult":
114 item = MainResult(**kvmap) # type: ignore
115 else:
116 item = KeyValue(kvmap=kvmap)
117 res.add(item)
118
119 return res
init(engine_settings)
Definition sqlite.py:69