.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
_core.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2# pylint: disable=too-few-public-methods,missing-module-docstring
3
4from __future__ import annotations
5
6__all__ = ["PluginInfo", "Plugin", "PluginCfg", "PluginStorage"]
7
8import abc
9import importlib
10import inspect
11import logging
12import re
13import typing
14
15from dataclasses import dataclass, field
16
17from searx.extended_types import SXNG_Request
18from searx.result_types import Result
19
20if typing.TYPE_CHECKING:
21 from searx.search import SearchWithPlugins
22 import flask
23
24log: logging.Logger = logging.getLogger("searx.plugins")
25
26
27@dataclass
29 """Object that holds informations about a *plugin*, these infos are shown to
30 the user in the Preferences menu.
31
32 To be able to translate the information into other languages, the text must
33 be written in English and translated with :py:obj:`flask_babel.gettext`.
34 """
35
36 id: str
37 """The ID-selector in HTML/CSS `#<id>`."""
38
39 name: str
40 """Name of the *plugin*."""
41
42 description: str
43 """Short description of the *answerer*."""
44
45 preference_section: typing.Literal["general", "ui", "privacy", "query"] | None = "general"
46 """Section (tab/group) in the preferences where this plugin is shown to the
47 user.
48
49 The value ``query`` is reserved for plugins that are activated via a
50 *keyword* as part of a search query, see:
51
52 - :py:obj:`PluginInfo.examples`
53 - :py:obj:`Plugin.keywords`
54
55 Those plugins are shown in the preferences in tab *Special Queries*.
56 """
57
58 examples: list[str] = field(default_factory=list)
59 """List of short examples of the usage / of query terms."""
60
61 keywords: list[str] = field(default_factory=list)
62 """See :py:obj:`Plugin.keywords`"""
63
64
65ID_REGXP = re.compile("[a-z][a-z0-9].*")
66
67
68class Plugin(abc.ABC):
69 """Abstract base class of all Plugins."""
70
71 id: str = ""
72 """The ID (suffix) in the HTML form."""
73
74 active: typing.ClassVar[bool]
75 """Plugin is enabled/disabled by default (:py:obj:`PluginCfg.active`)."""
76
77 keywords: list[str] = []
78 """Keywords in the search query that activate the plugin. The *keyword* is
79 the first word in a search query. If a plugin should be executed regardless
80 of the search query, the list of keywords should be empty (which is also the
81 default in the base class for Plugins)."""
82
83 log: logging.Logger
84 """A logger object, is automatically initialized when calling the
85 constructor (if not already set in the subclass)."""
86
87 info: PluginInfo
88 """Informations about the *plugin*, see :py:obj:`PluginInfo`."""
89
90 fqn: str = ""
91
92 def __init__(self, plg_cfg: PluginCfg) -> None:
93 super().__init__()
94 if not self.fqn:
95 self.fqn = self.__class__.__mro__[0].__module__
96
97 # names from the configuration
98 for n, v in plg_cfg.__dict__.items():
99 setattr(self, n, v)
100
101 # names that must be set by the plugin implementation
102 for attr in [
103 "id",
104 ]:
105 if getattr(self, attr, None) is None:
106 raise NotImplementedError(f"plugin {self} is missing attribute {attr}")
107
108 if not ID_REGXP.match(self.id):
109 raise ValueError(f"plugin ID {self.id} contains invalid character (use lowercase ASCII)")
110
111 if not getattr(self, "log", None):
112 pkg_name = inspect.getmodule(self.__class__).__package__ # type: ignore
113 self.log = logging.getLogger(f"{pkg_name}.{self.id}")
114
115 def __hash__(self) -> int:
116 """The hash value is used in :py:obj:`set`, for example, when an object
117 is added to the set. The hash value is also used in other contexts,
118 e.g. when checking for equality to identify identical plugins from
119 different sources (name collisions)."""
120
121 return id(self)
122
123 def __eq__(self, other):
124 """py:obj:`Plugin` objects are equal if the hash values of the two
125 objects are equal."""
126
127 return hash(self) == hash(other)
128
129 def init(self, app: "flask.Flask") -> bool: # pylint: disable=unused-argument
130 """Initialization of the plugin, the return value decides whether this
131 plugin is active or not. Initialization only takes place once, at the
132 time the WEB application is set up. The base methode always returns
133 ``True``, the methode can be overwritten in the inheritances,
134
135 - ``True`` plugin is active
136 - ``False`` plugin is inactive
137 """
138 return True
139
140 # pylint: disable=unused-argument
141 def pre_search(self, request: SXNG_Request, search: "SearchWithPlugins") -> bool:
142 """Runs BEFORE the search request and returns a boolean:
143
144 - ``True`` to continue the search
145 - ``False`` to stop the search
146 """
147 return True
148
149 def on_result(self, request: SXNG_Request, search: "SearchWithPlugins", result: Result) -> bool:
150 """Runs for each result of each engine and returns a boolean:
151
152 - ``True`` to keep the result
153 - ``False`` to remove the result from the result list
154
155 The ``result`` can be modified to the needs.
156
157 .. hint::
158
159 If :py:obj:`Result.url <searx.result_types._base.Result.url>` is modified,
160 :py:obj:`Result.parsed_url <searx.result_types._base.Result.parsed_url>` must
161 be changed accordingly:
162
163 .. code:: python
164
165 result["parsed_url"] = urlparse(result["url"])
166 """
167 return True
168
169 def post_search(self, request: SXNG_Request, search: "SearchWithPlugins") -> None | typing.Sequence[Result]:
170 """Runs AFTER the search request. Can return a list of
171 :py:obj:`Result <searx.result_types._base.Result>` objects to be added to the
172 final result list."""
173 return
174
175
176@dataclass
178 """Settings of a plugin.
179
180 .. code:: yaml
181
182 mypackage.mymodule.MyPlugin:
183 active: true
184 """
185
186 active: bool = False
187 """Plugin is active by default and the user can *opt-out* in the preferences."""
188
189
191 """A storage for managing the *plugins* of SearXNG."""
192
193 plugin_list: set[Plugin]
194 """The list of :py:obj:`Plugins` in this storage."""
195
196 def __init__(self):
197 self.plugin_list = set()
198
199 def __iter__(self):
200 yield from self.plugin_list
201
202 def __len__(self):
203 return len(self.plugin_list)
204
205 @property
206 def info(self) -> list[PluginInfo]:
207
208 return [p.info for p in self.plugin_list]
209
210 def load_settings(self, cfg: dict[str, dict]):
211 """Load plugins configured in SearXNG's settings :ref:`settings
212 plugins`."""
213
214 for fqn, plg_settings in cfg.items():
215 cls = None
216 mod_name, cls_name = fqn.rsplit('.', 1)
217 try:
218 mod = importlib.import_module(mod_name)
219 cls = getattr(mod, cls_name, None)
220 except Exception as exc: # pylint: disable=broad-exception-caught
221 log.exception(exc)
222
223 if cls is None:
224 msg = f"plugin {fqn} is not implemented"
225 raise ValueError(msg)
226 plg = cls(PluginCfg(**plg_settings))
227 self.register(plg)
228
229 def register(self, plugin: Plugin):
230 """Register a :py:obj:`Plugin`. In case of name collision (if two
231 plugins have same ID) a :py:obj:`KeyError` exception is raised.
232 """
233
234 if plugin in [p.id for p in self.plugin_list]:
235 msg = f"name collision '{plugin.id}'"
236 plugin.log.critical(msg)
237 raise KeyError(msg)
238
239 self.plugin_list.add(plugin)
240 plugin.log.debug("plugin has been loaded")
241
242 def init(self, app: "flask.Flask") -> None:
243 """Calls the method :py:obj:`Plugin.init` of each plugin in this
244 storage. Depending on its return value, the plugin is removed from
245 *this* storage or not."""
246
247 for plg in self.plugin_list.copy():
248 if not plg.init(app):
249 self.plugin_list.remove(plg)
250
251 def pre_search(self, request: SXNG_Request, search: "SearchWithPlugins") -> bool:
252
253 ret = True
254 for plugin in [p for p in self.plugin_list if p.id in search.user_plugins]:
255 try:
256 ret = bool(plugin.pre_search(request=request, search=search))
257 except Exception: # pylint: disable=broad-except
258 plugin.log.exception("Exception while calling pre_search")
259 continue
260 if not ret:
261 # skip this search on the first False from a plugin
262 break
263 return ret
264
265 def on_result(self, request: SXNG_Request, search: "SearchWithPlugins", result: Result) -> bool:
266
267 ret = True
268 for plugin in [p for p in self.plugin_list if p.id in search.user_plugins]:
269 try:
270 ret = bool(plugin.on_result(request=request, search=search, result=result))
271 except Exception: # pylint: disable=broad-except
272 plugin.log.exception("Exception while calling on_result")
273 continue
274 if not ret:
275 # ignore this result item on the first False from a plugin
276 break
277
278 return ret
279
280 def post_search(self, request: SXNG_Request, search: "SearchWithPlugins") -> None:
281 """Extend :py:obj:`search.result_container
282 <searx.results.ResultContainer`> with result items from plugins listed
283 in :py:obj:`search.user_plugins <SearchWithPlugins.user_plugins>`.
284 """
285
286 keyword = None
287 for keyword in search.search_query.query.split():
288 if keyword:
289 break
290
291 for plugin in [p for p in self.plugin_list if p.id in search.user_plugins]:
292
293 if plugin.keywords:
294 # plugin with keywords: skip plugin if no keyword match
295 if keyword and keyword not in plugin.keywords:
296 continue
297 try:
298 results = plugin.post_search(request=request, search=search) or []
299 except Exception: # pylint: disable=broad-except
300 plugin.log.exception("Exception while calling post_search")
301 continue
302
303 # In case of *plugins* prefix ``plugin:`` is set, see searx.result_types.Result
304 search.result_container.extend(f"plugin: {plugin.id}", results)
None init(self, "flask.Flask" app)
Definition _core.py:242
None post_search(self, SXNG_Request request, "SearchWithPlugins" search)
Definition _core.py:280
bool on_result(self, SXNG_Request request, "SearchWithPlugins" search, Result result)
Definition _core.py:265
bool pre_search(self, SXNG_Request request, "SearchWithPlugins" search)
Definition _core.py:251
load_settings(self, dict[str, dict] cfg)
Definition _core.py:210
list[PluginInfo] info(self)
Definition _core.py:206
register(self, Plugin plugin)
Definition _core.py:229
bool on_result(self, SXNG_Request request, "SearchWithPlugins" search, Result result)
Definition _core.py:149
__eq__(self, other)
Definition _core.py:123
None|typing.Sequence[Result] post_search(self, SXNG_Request request, "SearchWithPlugins" search)
Definition _core.py:169
None __init__(self, PluginCfg plg_cfg)
Definition _core.py:92
bool pre_search(self, SXNG_Request request, "SearchWithPlugins" search)
Definition _core.py:141
bool init(self, "flask.Flask" app)
Definition _core.py:129