4from __future__
import annotations
6__all__ = [
"PluginInfo",
"Plugin",
"PluginCfg",
"PluginStorage"]
15from dataclasses
import dataclass, field
20if typing.TYPE_CHECKING:
24log: logging.Logger = logging.getLogger(
"searx.plugins")
29 """Object that holds informations about a *plugin*, these infos are shown to
30 the user in the Preferences menu.
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`.
37 """The ID-selector in HTML/CSS `#<id>`."""
40 """Name of the *plugin*."""
43 """Short description of the *answerer*."""
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
49 The value ``query`` is reserved for plugins that are activated via a
50 *keyword* as part of a search query, see:
52 - :py:obj:`PluginInfo.examples`
53 - :py:obj:`Plugin.keywords`
55 Those plugins are shown in the preferences in tab *Special Queries*.
58 examples: list[str] = field(default_factory=list)
59 """List of short examples of the usage / of query terms."""
61 keywords: list[str] = field(default_factory=list)
62 """See :py:obj:`Plugin.keywords`"""
65ID_REGXP = re.compile(
"[a-z][a-z0-9].*")
69 """Abstract base class of all Plugins."""
72 """The ID (suffix) in the HTML form."""
74 active: typing.ClassVar[bool]
75 """Plugin is enabled/disabled by default (:py:obj:`PluginCfg.active`)."""
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)."""
84 """A logger object, is automatically initialized when calling the
85 constructor (if not already set in the subclass)."""
88 """Informations about the *plugin*, see :py:obj:`PluginInfo`."""
92 def __init__(self, plg_cfg: PluginCfg) ->
None:
95 self.
fqn = self.__class__.__mro__[0].__module__
98 for n, v
in plg_cfg.__dict__.items():
105 if getattr(self, attr,
None)
is None:
106 raise NotImplementedError(f
"plugin {self} is missing attribute {attr}")
108 if not ID_REGXP.match(self.
id):
109 raise ValueError(f
"plugin ID {self.id} contains invalid character (use lowercase ASCII)")
111 if not getattr(self,
"log",
None):
112 pkg_name = inspect.getmodule(self.__class__).__package__
113 self.
log = logging.getLogger(f
"{pkg_name}.{self.id}")
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)."""
124 """py:obj:`Plugin` objects are equal if the hash values of the two
125 objects are equal."""
127 return hash(self) == hash(other)
129 def init(self, app:
"flask.Flask") -> bool:
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,
135 - ``True`` plugin is active
136 - ``False`` plugin is inactive
141 def pre_search(self, request: SXNG_Request, search:
"SearchWithPlugins") -> bool:
142 """Runs BEFORE the search request and returns a boolean:
144 - ``True`` to continue the search
145 - ``False`` to stop the search
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:
152 - ``True`` to keep the result
153 - ``False`` to remove the result from the result list
155 The ``result`` can be modified to the needs.
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:
165 result["parsed_url"] = urlparse(result["url"])
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."""
178 """Settings of a plugin.
182 mypackage.mymodule.MyPlugin:
187 """Plugin is active by default and the user can *opt-out* in the preferences."""
191 """A storage for managing the *plugins* of SearXNG."""
193 plugin_list: set[Plugin]
194 """The list of :py:obj:`Plugins` in this storage."""
206 def info(self) -> list[PluginInfo]:
211 """Load plugins configured in SearXNG's settings :ref:`settings
214 for fqn, plg_settings
in cfg.items():
216 mod_name, cls_name = fqn.rsplit(
'.', 1)
218 mod = importlib.import_module(mod_name)
219 cls = getattr(mod, cls_name,
None)
220 except Exception
as exc:
224 msg = f
"plugin {fqn} is not implemented"
225 raise ValueError(msg)
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.
235 msg = f
"name collision '{plugin.id}'"
236 plugin.log.critical(msg)
240 plugin.log.debug(
"plugin has been loaded")
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."""
248 if not plg.init(app):
251 def pre_search(self, request: SXNG_Request, search:
"SearchWithPlugins") -> bool:
254 for plugin
in [p
for p
in self.
plugin_list if p.id
in search.user_plugins]:
256 ret = bool(plugin.pre_search(request=request, search=search))
258 plugin.log.exception(
"Exception while calling pre_search")
265 def on_result(self, request: SXNG_Request, search:
"SearchWithPlugins", result: Result) -> bool:
268 for plugin
in [p
for p
in self.
plugin_list if p.id
in search.user_plugins]:
270 ret = bool(plugin.on_result(request=request, search=search, result=result))
272 plugin.log.exception(
"Exception while calling on_result")
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>`.
287 for keyword
in search.search_query.query.split():
291 for plugin
in [p
for p
in self.
plugin_list if p.id
in search.user_plugins]:
295 if keyword
and keyword
not in plugin.keywords:
298 results = plugin.post_search(request=request, search=search)
or []
300 plugin.log.exception(
"Exception while calling post_search")
304 search.result_container.extend(f
"plugin: {plugin.id}", results)
None init(self, "flask.Flask" app)
None post_search(self, SXNG_Request request, "SearchWithPlugins" search)
bool on_result(self, SXNG_Request request, "SearchWithPlugins" search, Result result)
bool pre_search(self, SXNG_Request request, "SearchWithPlugins" search)
load_settings(self, dict[str, dict] cfg)
list[PluginInfo] info(self)
register(self, Plugin plugin)
bool on_result(self, SXNG_Request request, "SearchWithPlugins" search, Result result)
None|typing.Sequence[Result] post_search(self, SXNG_Request request, "SearchWithPlugins" search)
None __init__(self, PluginCfg plg_cfg)
bool pre_search(self, SXNG_Request request, "SearchWithPlugins" search)
bool init(self, "flask.Flask" app)