.oO SearXNG Developer Documentation Oo.
Loading...
Searching...
No Matches
hostnames.py
Go to the documentation of this file.
1# SPDX-License-Identifier: AGPL-3.0-or-later
2# pylint: disable=too-many-branches, unused-argument
3"""
4
5During the initialization phase, the plugin checks whether a ``hostnames:``
6configuration exists. If this is not the case, the plugin is not included
7in the PluginStorage (it is not available for selection).
8
9- ``hostnames.replace``: A **mapping** of regular expressions to hostnames to be
10 replaced by other hostnames.
11
12 .. code:: yaml
13
14 hostnames:
15 replace:
16 '(.*\\.)?youtube\\.com$': 'invidious.example.com'
17 '(.*\\.)?youtu\\.be$': 'invidious.example.com'
18 ...
19
20- ``hostnames.remove``: A **list** of regular expressions of the hostnames whose
21 results should be taken from the results list.
22
23 .. code:: yaml
24
25 hostnames:
26 remove:
27 - '(.*\\.)?facebook.com$'
28 - ...
29
30- ``hostnames.high_priority``: A **list** of regular expressions for hostnames
31 whose result should be given higher priority. The results from these hosts are
32 arranged higher in the results list.
33
34 .. code:: yaml
35
36 hostnames:
37 high_priority:
38 - '(.*\\.)?wikipedia.org$'
39 - ...
40
41- ``hostnames.lower_priority``: A **list** of regular expressions for hostnames
42 whose result should be given lower priority. The results from these hosts are
43 arranged lower in the results list.
44
45 .. code:: yaml
46
47 hostnames:
48 low_priority:
49 - '(.*\\.)?google(\\..*)?$'
50 - ...
51
52If the URL matches the pattern of ``high_priority`` AND ``low_priority``, the
53higher priority wins over the lower priority.
54
55Alternatively, you can also specify a file name for the **mappings** or
56**lists** to load these from an external file:
57
58.. code:: yaml
59
60 hostnames:
61 replace: 'rewrite-hosts.yml'
62 remove:
63 - '(.*\\.)?facebook.com$'
64 - ...
65 low_priority:
66 - '(.*\\.)?google(\\..*)?$'
67 - ...
68 high_priority:
69 - '(.*\\.)?wikipedia.org$'
70 - ...
71
72The ``rewrite-hosts.yml`` from the example above must be in the folder in which
73the ``settings.yml`` file is already located (``/etc/searxng``). The file then
74only contains the lists or the mapping tables without further information on the
75namespaces. In the example above, this would be a mapping table that looks
76something like this:
77
78.. code:: yaml
79
80 '(.*\\.)?youtube\\.com$': 'invidious.example.com'
81 '(.*\\.)?youtu\\.be$': 'invidious.example.com'
82
83"""
84
85from __future__ import annotations
86import typing
87
88import re
89from urllib.parse import urlunparse, urlparse
90
91from flask_babel import gettext
92
93from searx import settings
94from searx.result_types._base import MainResult, LegacyResult
95from searx.settings_loader import get_yaml_cfg
96from searx.plugins import Plugin, PluginInfo
97
98from ._core import log
99
100if typing.TYPE_CHECKING:
101 import flask
102 from searx.search import SearchWithPlugins
103 from searx.extended_types import SXNG_Request
104 from searx.result_types import Result
105 from searx.plugins import PluginCfg
106
107
108REPLACE: dict[re.Pattern, str] = {}
109REMOVE: set = set()
110HIGH: set = set()
111LOW: set = set()
112
113
115 """Rewrite hostnames, remove results or prioritize them."""
116
117 id = "hostnames"
118
119 def __init__(self, plg_cfg: "PluginCfg") -> None:
120 super().__init__(plg_cfg)
122 id=self.id,
123 name=gettext("Hostnames plugin"),
124 description=gettext("Rewrite hostnames, remove results or prioritize them based on the hostname"),
125 preference_section="general",
126 )
127
128 def on_result(self, request: "SXNG_Request", search: "SearchWithPlugins", result: Result) -> bool:
129
130 for pattern in REMOVE:
131 if result.parsed_url and pattern.search(result.parsed_url.netloc):
132 # if the link (parsed_url) of the result match, then remove the
133 # result from the result list, in any other case, the result
134 # remains in the list / see final "return True" below.
135 # log.debug("FIXME: remove [url/parsed_url] %s %s", pattern.pattern, result.url)
136 return False
137
138 result.filter_urls(filter_url_field)
139
140 if isinstance(result, (MainResult, LegacyResult)):
141 for pattern in LOW:
142 if result.parsed_url and pattern.search(result.parsed_url.netloc):
143 result.priority = "low"
144
145 for pattern in HIGH:
146 if result.parsed_url and pattern.search(result.parsed_url.netloc):
147 result.priority = "high"
148
149 return True
150
151 def init(self, app: "flask.Flask") -> bool: # pylint: disable=unused-argument
152 global REPLACE, REMOVE, HIGH, LOW # pylint: disable=global-statement
153
154 if not settings.get(self.id):
155 # Remove plugin, if there isn't a "hostnames:" setting
156 return False
157
158 REPLACE = self._load_regular_expressions("replace") or {} # type: ignore
159 REMOVE = self._load_regular_expressions("remove") or set() # type: ignore
160 HIGH = self._load_regular_expressions("high_priority") or set() # type: ignore
161 LOW = self._load_regular_expressions("low_priority") or set() # type: ignore
162
163 return True
164
165 def _load_regular_expressions(self, settings_key) -> dict[re.Pattern, str] | set | None:
166 setting_value = settings.get(self.id, {}).get(settings_key)
167
168 if not setting_value:
169 return None
170
171 # load external file with configuration
172 if isinstance(setting_value, str):
173 setting_value = get_yaml_cfg(setting_value)
174
175 if isinstance(setting_value, list):
176 return {re.compile(r) for r in setting_value}
177
178 if isinstance(setting_value, dict):
179 return {re.compile(p): r for (p, r) in setting_value.items()}
180
181 return None
182
183
184def filter_url_field(result: "Result|LegacyResult", field_name: str, url_src: str) -> bool | str:
185 """Returns bool ``True`` to use URL unchanged (``False`` to ignore URL).
186 If URL should be modified, the returned string is the new URL to use."""
187
188 if not url_src:
189 log.debug("missing a URL in field %s", field_name)
190 return True
191
192 url_src_parsed = urlparse(url=url_src)
193
194 for pattern in REMOVE:
195 if pattern.search(url_src_parsed.netloc):
196 return False
197
198 for pattern, replacement in REPLACE.items():
199 if pattern.search(url_src_parsed.netloc):
200 new_url = url_src_parsed._replace(netloc=pattern.sub(replacement, url_src_parsed.netloc))
201 new_url = urlunparse(new_url)
202 return new_url
203
204 return True
bool init(self, "flask.Flask" app)
Definition hostnames.py:151
bool on_result(self, "SXNG_Request" request, "SearchWithPlugins" search, Result result)
Definition hostnames.py:128
None __init__(self, "PluginCfg" plg_cfg)
Definition hostnames.py:119
dict[re.Pattern, str]|set|None _load_regular_expressions(self, settings_key)
Definition hostnames.py:165
bool|str filter_url_field("Result|LegacyResult" result, str field_name, str url_src)
Definition hostnames.py:184