Merge remote-tracking branch 'upstream/master'

This commit is contained in:
Arcane Spark 2024-06-14 11:26:50 +02:00
commit a317082b87
127 changed files with 3154 additions and 1309 deletions

View file

@ -96,7 +96,7 @@ Modify the ``/etc/searxng/settings.yml`` to your needs:
.. literalinclude:: ../../utils/templates/etc/searxng/settings.yml
:language: yaml
:end-before: # hostname_replace:
:end-before: # hostnames:
To see the entire file jump to :origin:`utils/templates/etc/searxng/settings.yml`
@ -104,7 +104,7 @@ Modify the ``/etc/searxng/settings.yml`` to your needs:
.. literalinclude:: ../../searx/settings.yml
:language: yaml
:end-before: # hostname_replace:
:end-before: # hostnames:
To see the entire file jump to :origin:`searx/settings.yml`

View file

@ -204,7 +204,7 @@ Example configuration to restrict access to the Arch Linux Wiki engine:
tokens: [ 'my-secret-token' ]
Unless a user has configured the right token, the engine is going to be hidden
from him/her. It is not going to be included in the list of engines on the
from them. It is not going to be included in the list of engines on the
Preferences page and in the output of `/config` REST API call.
Tokens can be added to one's configuration on the Preferences page under "Engine

View file

@ -0,0 +1,8 @@
.. _discourse engine:
================
Discourse Forums
================
.. automodule:: searx.engines.discourse
:members:

View file

@ -103,14 +103,14 @@ Parameters
.. disabled by default
``Hostname_replace``, ``Open_Access_DOI_rewrite``,
``Hostnames_plugin``, ``Open_Access_DOI_rewrite``,
``Vim-like_hotkeys``, ``Tor_check_plugin``
``disabled_plugins``: optional
List of disabled plugins.
:default:
``Hostname_replace``, ``Open_Access_DOI_rewrite``,
``Hostnames_plugin``, ``Open_Access_DOI_rewrite``,
``Vim-like_hotkeys``, ``Tor_check_plugin``
:values:

View file

@ -0,0 +1,9 @@
.. _hostnames plugin:
================
Hostnames plugin
================
.. automodule:: searx.plugins.hostnames
:members:

View file

@ -1,8 +1,8 @@
mock==5.1.0
nose2[coverage_plugin]==0.14.2
nose2[coverage_plugin]==0.15.1
cov-core==1.15.0
black==24.3.0
pylint==3.2.2
pylint==3.2.3
splinter==0.21.0
selenium==4.21.0
Pallets-Sphinx-Themes==2.1.3

View file

@ -1,4 +1,4 @@
certifi==2024.2.2
certifi==2024.6.2
babel==2.15.0
flask-babel==4.0.0
flask==3.0.3
@ -12,7 +12,7 @@ Brotli==1.1.0
uvloop==0.19.0
httpx-socks[asyncio]==0.7.7
setproctitle==1.3.3
redis==5.0.4
redis==5.0.5
markdown-it-py==3.0.0
fasttext-predict==0.9.2.2
pytomlpp==1.0.13; python_version < '3.11'

153
searx/engines/discourse.py Normal file
View file

@ -0,0 +1,153 @@
# SPDX-License-Identifier: AGPL-3.0-or-later
""".. sidebar:: info
- `builtwith.com Discourse <https://trends.builtwith.com/websitelist/Discourse>`_
Discourse is an open source Internet forum system. To search in a forum this
engine offers some additional settings:
- :py:obj:`base_url`
- :py:obj:`api_order`
- :py:obj:`search_endpoint`
- :py:obj:`show_avatar`
Example
=======
To search in your favorite Discourse forum, add a configuration like shown here
for the ``paddling.com`` forum:
.. code:: yaml
- name: paddling
engine: discourse
shortcut: paddle
base_url: 'https://forums.paddling.com/'
api_order: views
categories: ['social media', 'sports']
show_avatar: true
Implementations
===============
"""
from urllib.parse import urlencode
from datetime import datetime, timedelta
import html
from dateutil import parser
from flask_babel import gettext
about = {
"website": "https://discourse.org/",
"wikidata_id": "Q15054354",
"official_api_documentation": "https://docs.discourse.org/",
"use_official_api": True,
"require_api_key": False,
"results": "JSON",
}
base_url: str = None # type: ignore
"""URL of the Discourse forum."""
search_endpoint = '/search.json'
"""URL path of the `search endpoint`_.
.. _search endpoint: https://docs.discourse.org/#tag/Search
"""
api_order = 'likes'
"""Order method, valid values are: ``latest``, ``likes``, ``views``, ``latest_topic``"""
show_avatar = False
"""Show avatar of the user who send the post."""
paging = True
time_range_support = True
AGO_TIMEDELTA = {
'day': timedelta(days=1),
'week': timedelta(days=7),
'month': timedelta(days=31),
'year': timedelta(days=365),
}
def request(query, params):
if len(query) <= 2:
return None
q = [query, f'order:{api_order}']
time_range = params.get('time_range')
if time_range:
after_date = datetime.now() - AGO_TIMEDELTA[time_range]
q.append('after:' + after_date.strftime('%Y-%m-%d'))
args = {
'q': ' '.join(q),
'page': params['pageno'],
}
params['url'] = f'{base_url}{search_endpoint}?{urlencode(args)}'
params['headers'] = {
'Accept': 'application/json, text/javascript, */*; q=0.01',
'X-Requested-With': 'XMLHttpRequest',
}
return params
def response(resp):
results = []
json_data = resp.json()
if ('topics' or 'posts') not in json_data.keys():
return []
topics = {}
for item in json_data['topics']:
topics[item['id']] = item
for post in json_data['posts']:
result = topics.get(post['topic_id'], {})
url = f"{base_url}/p/{post['id']}"
status = gettext("closed") if result.get('closed', '') else gettext("open")
comments = result.get('posts_count', 0)
publishedDate = parser.parse(result['created_at'])
metadata = []
metadata.append('@' + post.get('username', ''))
if int(comments) > 1:
metadata.append(f'{gettext("comments")}: {comments}')
if result.get('has_accepted_answer'):
metadata.append(gettext("answered"))
elif int(comments) > 1:
metadata.append(status)
result = {
'url': url,
'title': html.unescape(result['title']),
'content': html.unescape(post.get('blurb', '')),
'metadata': ' | '.join(metadata),
'publishedDate': publishedDate,
'upstream': {'topics': result},
}
avatar = post.get('avatar_template', '').replace('{size}', '96')
if show_avatar and avatar:
result['thumbnail'] = base_url + avatar
results.append(result)
results.append({'number_of_results': len(json_data['topics'])})
return results

133
searx/engines/mojeek.py Normal file
View file

@ -0,0 +1,133 @@
# SPDX-License-Identifier: AGPL-3.0-or-later
"""Mojeek (general, images, news)"""
from datetime import datetime
from urllib.parse import urlencode
from lxml import html
from dateutil.relativedelta import relativedelta
from searx.utils import eval_xpath, eval_xpath_list, extract_text, gen_useragent
about = {
'website': 'https://mojeek.com',
'wikidata_id': 'Q60747299',
'official_api_documentation': 'https://www.mojeek.com/support/api/search/request_parameters.html',
'use_official_api': False,
'require_api_key': False,
'results': 'HTML',
}
paging = True # paging is only supported for general search
safesearch = True
time_range_support = True # time range search is supported for general and news
max_page = 10
base_url = "https://www.mojeek.com"
categories = ["general", "web"]
search_type = "" # leave blank for general, other possible values: images, news
results_xpath = '//ul[@class="results-standard"]/li/a[@class="ob"]'
url_xpath = './@href'
title_xpath = '../h2/a'
content_xpath = '..//p[@class="s"]'
suggestion_xpath = '//div[@class="top-info"]/p[@class="top-info spell"]/em/a'
image_results_xpath = '//div[@id="results"]/div[contains(@class, "image")]'
image_url_xpath = './a/@href'
image_title_xpath = './a/@data-title'
image_img_src_xpath = './a/img/@src'
news_results_xpath = '//section[contains(@class, "news-search-result")]//article'
news_url_xpath = './/h2/a/@href'
news_title_xpath = './/h2/a'
news_content_xpath = './/p[@class="s"]'
def init(_):
if search_type not in ('', 'images', 'news'):
raise ValueError(f"Invalid search type {search_type}")
def request(query, params):
args = {
'q': query,
'safe': min(params['safesearch'], 1),
'fmt': search_type,
}
if search_type == '':
args['s'] = 10 * (params['pageno'] - 1)
if params['time_range'] and search_type != 'images':
args["since"] = (datetime.now() - relativedelta(**{f"{params['time_range']}s": 1})).strftime("%Y%m%d")
logger.debug(args["since"])
params['url'] = f"{base_url}/search?{urlencode(args)}"
params['headers'] = {'User-Agent': gen_useragent()}
return params
def _general_results(dom):
results = []
for result in eval_xpath_list(dom, results_xpath):
results.append(
{
'url': extract_text(eval_xpath(result, url_xpath)),
'title': extract_text(eval_xpath(result, title_xpath)),
'content': extract_text(eval_xpath(result, content_xpath)),
}
)
for suggestion in eval_xpath(dom, suggestion_xpath):
results.append({'suggestion': extract_text(suggestion)})
return results
def _image_results(dom):
results = []
for result in eval_xpath_list(dom, image_results_xpath):
results.append(
{
'template': 'images.html',
'url': extract_text(eval_xpath(result, image_url_xpath)),
'title': extract_text(eval_xpath(result, image_title_xpath)),
'img_src': base_url + extract_text(eval_xpath(result, image_img_src_xpath)),
'content': '',
}
)
return results
def _news_results(dom):
results = []
for result in eval_xpath_list(dom, news_results_xpath):
results.append(
{
'url': extract_text(eval_xpath(result, news_url_xpath)),
'title': extract_text(eval_xpath(result, news_title_xpath)),
'content': extract_text(eval_xpath(result, news_content_xpath)),
}
)
return results
def response(resp):
dom = html.fromstring(resp.text)
if search_type == '':
return _general_results(dom)
if search_type == 'images':
return _image_results(dom)
if search_type == 'news':
return _news_results(dom)
raise ValueError(f"Invalid search type {search_type}")

View file

@ -1,49 +1,35 @@
# SPDX-License-Identifier: AGPL-3.0-or-later
# pylint: disable=missing-module-docstring
import re
from urllib.parse import urlunparse, urlparse
from flask_babel import gettext
from searx import settings
from searx.plugins import logger
name = gettext('Hostname replace')
description = gettext('Rewrite result hostnames or remove results based on the hostname')
description = "Deprecated / contact system admin to configure 'Hostnames plugin'!!"
default_on = False
preference_section = 'general'
plugin_id = 'hostname_replace'
replacements = {re.compile(p): r for (p, r) in settings[plugin_id].items()} if plugin_id in settings else {}
logger = logger.getChild(plugin_id)
parsed = 'parsed_url'
_url_fields = ['iframe_src', 'audio_src']
REPORTED = False
def deprecated_msg():
global REPORTED # pylint: disable=global-statement
if REPORTED:
return
logger.error(
"'Hostname replace' plugin is deprecated and will be dropped soon!"
" Configure 'Hostnames plugin':"
" https://docs.searxng.org/src/searx.plugins.hostnames.html"
)
REPORTED = True
def on_result(_request, _search, result):
# pylint: disable=import-outside-toplevel, cyclic-import
from searx.plugins.hostnames import on_result as hostnames_on_result
for pattern, replacement in replacements.items():
if parsed in result:
if pattern.search(result[parsed].netloc):
# to keep or remove this result from the result list depends
# (only) on the 'parsed_url'
if not replacement:
return False
result[parsed] = result[parsed]._replace(netloc=pattern.sub(replacement, result[parsed].netloc))
result['url'] = urlunparse(result[parsed])
for url_field in _url_fields:
if result.get(url_field):
url_src = urlparse(result[url_field])
if pattern.search(url_src.netloc):
if not replacement:
del result[url_field]
else:
url_src = url_src._replace(netloc=pattern.sub(replacement, url_src.netloc))
result[url_field] = urlunparse(url_src)
return True
deprecated_msg()
return hostnames_on_result(_request, _search, result)

167
searx/plugins/hostnames.py Normal file
View file

@ -0,0 +1,167 @@
# SPDX-License-Identifier: AGPL-3.0-or-later
# pylint: disable=too-many-branches
"""In addition to rewriting/replace reslut URLs, the *hoostnames* plugin offers
other features.
.. attention::
The 'Hostnames plugin' from `PR-3463
<https://github.com/searxng/searxng/pull/3463>`_ is a rewrite of the
'Hostname replace' plugin. Backwards compatibility is guaranteed for a
transitional period, but this will end soon.
**To maintainers of SearXNG instances, please modify your old plugin config
to the new.**
- ``hostnames.replace``: A mapping of regular expressions to hostnames to be
replaced by other hostnames.
- ``hostnames.remove``: A list of regular expressions of the hostnames whose
results should be taken from the results list.
- ``hostnames.high_priority``: A list of regular expressions for hostnames whose
result should be given higher priority. The results from these hosts are
arranged higher in the results list.
- ``hostnames.lower_priority``: A list of regular expressions for hostnames
whose result should be given lower priority. The results from these hosts are
arranged lower in the results list.
Alternatively, a file name can also be specified for the mappings or lists:
.. code:: yaml
hostnames:
replace: 'rewrite-hosts.yml'
remove:
- '(.*\\.)?facebook.com$'
...
low_priority:
- '(.*\\.)?google(\\..*)?$'
...
high_priority:
- '(.*\\.)?wikipedia.org$'
...
The ``rewrite-hosts.yml`` from the example above must be in the folder in which
the ``settings.yml`` file is already located (``/etc/searxng``). The file then
only contains the lists or the mapping tables without further information on the
namespaces. In the example above, this would be a mapping table that looks
something like this:
.. code:: yaml
'(.*\\.)?youtube\\.com$': 'invidious.example.com'
'(.*\\.)?youtu\\.be$': 'invidious.example.com'
"""
import re
from urllib.parse import urlunparse, urlparse
from flask_babel import gettext
from searx import settings
from searx.plugins import logger
from searx.settings_loader import get_yaml_file
name = gettext('Hostnames plugin')
description = gettext('Rewrite hostnames, remove results or prioritize them based on the hostname')
default_on = False
preference_section = 'general'
plugin_id = 'hostnames'
logger = logger.getChild(plugin_id)
parsed = 'parsed_url'
_url_fields = ['iframe_src', 'audio_src']
def _load_regular_expressions(settings_key):
setting_value = settings.get(plugin_id, {}).get(settings_key)
if not setting_value:
return {}
# load external file with configuration
if isinstance(setting_value, str):
setting_value = get_yaml_file(setting_value)
if isinstance(setting_value, list):
return {re.compile(r) for r in setting_value}
if isinstance(setting_value, dict):
return {re.compile(p): r for (p, r) in setting_value.items()}
return {}
# compatibility fallback for old hostname replace plugin
# TODO: remove in the future once most/all instance maintainers finished migrating # pylint: disable=fixme
def _load_regular_expressions_with_fallback(settings_key):
expressions = _load_regular_expressions(settings_key)
if expressions:
return expressions
# fallback to the old `hostname_replace` settings format
# pylint: disable=import-outside-toplevel, cyclic-import
hostname_replace_config = settings.get('hostname_replace', {})
if hostname_replace_config:
from searx.plugins.hostname_replace import deprecated_msg
deprecated_msg()
if settings_key == 'replace':
return {re.compile(p): r for (p, r) in hostname_replace_config.items() if r}
return {re.compile(p) for (p, r) in hostname_replace_config.items() if not r}
replacements = _load_regular_expressions_with_fallback('replace')
removables = _load_regular_expressions_with_fallback('remove')
high_priority = _load_regular_expressions('high_priority')
low_priority = _load_regular_expressions('low_priority')
def _matches_parsed_url(result, pattern):
return parsed in result and pattern.search(result[parsed].netloc)
def on_result(_request, _search, result):
for pattern, replacement in replacements.items():
if _matches_parsed_url(result, pattern):
logger.debug(result['url'])
result[parsed] = result[parsed]._replace(netloc=pattern.sub(replacement, result[parsed].netloc))
result['url'] = urlunparse(result[parsed])
logger.debug(result['url'])
for url_field in _url_fields:
if not result.get(url_field):
continue
url_src = urlparse(result[url_field])
if pattern.search(url_src.netloc):
url_src = url_src._replace(netloc=pattern.sub(replacement, url_src.netloc))
result[url_field] = urlunparse(url_src)
for pattern in removables:
if _matches_parsed_url(result, pattern):
return False
for url_field in _url_fields:
if not result.get(url_field):
continue
url_src = urlparse(result[url_field])
if pattern.search(url_src.netloc):
del result[url_field]
for pattern in low_priority:
if _matches_parsed_url(result, pattern):
result['priority'] = 'low'
for pattern in high_priority:
if _matches_parsed_url(result, pattern):
result['priority'] = 'high'
return True

View file

@ -130,16 +130,25 @@ def merge_two_infoboxes(infobox1, infobox2): # pylint: disable=too-many-branche
infobox1['content'] = content2
def result_score(result):
def result_score(result, priority):
weight = 1.0
for result_engine in result['engines']:
if hasattr(engines[result_engine], 'weight'):
weight *= float(engines[result_engine].weight)
occurrences = len(result['positions'])
weight *= len(result['positions'])
score = 0
return sum((occurrences * weight) / position for position in result['positions'])
for position in result['positions']:
if priority == 'low':
continue
if priority == 'high':
score += weight
else:
score += weight / position
return score
class Timing(NamedTuple): # pylint: disable=missing-class-docstring
@ -354,9 +363,7 @@ class ResultContainer:
self._closed = True
for result in self._merged_results:
score = result_score(result)
result['score'] = score
result['score'] = result_score(result, result.get('priority'))
# removing html content and whitespace duplications
if result.get('content'):
result['content'] = utils.html_to_text(result['content']).strip()
@ -364,7 +371,7 @@ class ResultContainer:
result['title'] = ' '.join(utils.html_to_text(result['title']).strip().split())
for result_engine in result['engines']:
counter_add(score, 'engine', result_engine, 'score')
counter_add(result['score'], 'engine', result_engine, 'score')
results = sorted(self._merged_results, key=itemgetter('score'), reverse=True)

View file

@ -94,4 +94,7 @@ SOCIAL_MEDIA_TERMS = {
'POINTS': 'points',
'TITLE': 'title',
'AUTHOR': 'author',
'THREAD OPEN': 'open',
'THREAD CLOSED': 'closed',
'THREAD ANSWERED': 'answered',
}

View file

@ -219,8 +219,8 @@ outgoing:
# - 'Tracker URL remover'
# - 'Ahmia blacklist' # activation depends on outgoing.using_tor_proxy
# # these plugins are disabled if nothing is configured ..
# - 'Hostname replace' # see hostname_replace configuration below
# - 'Calculator plugin'
# - 'Hostnames plugin' # see 'hostnames' configuration below
# - 'Basic Calculator'
# - 'Open Access DOI rewrite'
# - 'Tor check plugin'
# # Read the docs before activate: auto-detection of the language could be
@ -228,17 +228,31 @@ outgoing:
# # preferences if they want.
# - 'Autodetect search language'
# Configuration of the "Hostname replace" plugin:
# Configuration of the "Hostnames plugin":
#
# hostnames:
# replace:
# '(.*\.)?youtube\.com$': 'invidious.example.com'
# '(.*\.)?youtu\.be$': 'invidious.example.com'
# '(.*\.)?reddit\.com$': 'teddit.example.com'
# '(.*\.)?redd\.it$': 'teddit.example.com'
# '(www\.)?twitter\.com$': 'nitter.example.com'
# remove:
# - '(.*\.)?facebook.com$'
# low_priority:
# - '(.*\.)?google(\..*)?$'
# high_priority:
# - '(.*\.)?wikipedia.org$'
#
# Alternatively you can use external files for configuring the "Hostnames plugin":
#
# hostnames:
# replace: 'rewrite-hosts.yml'
#
# Content of 'rewrite-hosts.yml' (place the file in the same directory as 'settings.yml'):
# '(.*\.)?youtube\.com$': 'invidious.example.com'
# '(.*\.)?youtu\.be$': 'invidious.example.com'
#
# hostname_replace:
# '(.*\.)?youtube\.com$': 'invidious.example.com'
# '(.*\.)?youtu\.be$': 'invidious.example.com'
# '(.*\.)?youtube-noocookie\.com$': 'yotter.example.com'
# '(.*\.)?reddit\.com$': 'teddit.example.com'
# '(.*\.)?redd\.it$': 'teddit.example.com'
# '(www\.)?twitter\.com$': 'nitter.example.com'
# # to remove matching host names from result list, set value to false
# 'spam\.example\.com': false
checker:
# disable checker when in debug mode
@ -1589,6 +1603,27 @@ engines:
api_site: 'superuser'
categories: [it, q&a]
- name: discuss.python
engine: discourse
shortcut: dpy
base_url: 'https://discuss.python.org'
categories: [it, q&a]
disabled: true
- name: caddy.community
engine: discourse
shortcut: caddy
base_url: 'https://caddy.community'
categories: [it, q&a]
disabled: true
- name: pi-hole.community
engine: discourse
shortcut: pi
categories: [it, q&a]
base_url: 'https://discourse.pi-hole.net'
disabled: true
- name: searchcode code
engine: searchcode_code
shortcut: scc
@ -2005,26 +2040,25 @@ engines:
- name: mojeek
shortcut: mjk
engine: xpath
paging: true
engine: mojeek
categories: [general, web]
search_url: https://www.mojeek.com/search?q={query}&s={pageno}&lang={lang}&lb={lang}
results_xpath: //ul[@class="results-standard"]/li/a[@class="ob"]
url_xpath: ./@href
title_xpath: ../h2/a
content_xpath: ..//p[@class="s"]
suggestion_xpath: //div[@class="top-info"]/p[@class="top-info spell"]/em/a
first_page_num: 0
page_size: 10
max_page: 100
disabled: true
about:
website: https://www.mojeek.com/
wikidata_id: Q60747299
official_api_documentation: https://www.mojeek.com/services/api.html/
use_official_api: false
require_api_key: false
results: HTML
- name: mojeek images
shortcut: mjkimg
engine: mojeek
categories: [images, web]
search_type: images
paging: false
disabled: true
- name: mojeek news
shortcut: mjknews
engine: mojeek
categories: [news, web]
search_type: news
paging: false
disabled: true
- name: moviepilot
engine: moviepilot

View file

@ -31,6 +31,14 @@ def load_yaml(file_name):
raise SearxSettingsException(e, file_name) from e
def get_yaml_file(file_name):
path = existing_filename_or_none(join(searx_dir, file_name))
if path is None:
raise FileNotFoundError(f"File {file_name} does not exist!")
return load_yaml(path)
def get_default_settings_path():
return existing_filename_or_none(join(searx_dir, 'settings.yml'))

View file

@ -13,18 +13,18 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-03-12 17:28+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Afrikaans <https://translate.codeberg.org/projects/searxng/"
"searxng/af/>\n"
"Language: af\n"
"Language-Team: Afrikaans "
"<https://translate.codeberg.org/projects/searxng/searxng/af/>\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -74,7 +74,7 @@ msgstr "draadloos"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "tv"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -164,7 +164,7 @@ msgstr "donker"
#. BRAND_CUSTOM_LINKS['UPTIME']
#: searx/searxng.msg
msgid "Uptime"
msgstr ""
msgstr "optyd"
#. BRAND_CUSTOM_LINKS['ABOUT']
#: searx/searxng.msg searx/templates/simple/base.html:50
@ -174,17 +174,17 @@ msgstr "Aangaande"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "gemiddelde temperatuur"
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "wolk dekking"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
msgid "Condition"
msgstr ""
msgstr "geval"
#. WEATHER_TERMS['CURRENT CONDITION']
#: searx/searxng.msg
@ -311,6 +311,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Geen item gevind"
@ -500,15 +515,17 @@ msgstr "Skakel snare om na verskillende hash digests."
msgid "hash digest"
msgstr "hash digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "vervang Gasheernaam"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Herskryf resultaatgasheername of verwyder resultate op grond van die "
"gasheernaam"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -640,22 +657,22 @@ msgstr "Kontak instansie onderhouer"
msgid "Click on the magnifier to perform search"
msgstr "Kliek op die vergrootglas om 'n soektog te doen"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lengte"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Outeur"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "gekas"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "gevolmagtig"
@ -1660,3 +1677,7 @@ msgstr "versteek video"
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Herskryf resultaatgasheername of verwyder "
#~ "resultate op grond van die gasheernaam"

View file

@ -16,23 +16,24 @@
# nebras <johndevand@tutanota.com>, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# Yahya-Lando <Yahya-Lando@users.noreply.translate.codeberg.org>, 2024.
# nebras <nebras@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-04-21 16:49+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-11 02:08+0000\n"
"Last-Translator: nebras <nebras@users.noreply.translate.codeberg.org>\n"
"Language-Team: Arabic <https://translate.codeberg.org/projects/searxng/"
"searxng/ar/>\n"
"Language: ar\n"
"Language-Team: Arabic "
"<https://translate.codeberg.org/projects/searxng/searxng/ar/>\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : "
"n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 "
"&& n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -82,7 +83,7 @@ msgstr "راديو"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "تلفاز"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -182,22 +183,22 @@ msgstr "حَول"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "متوسط الحرارة"
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "حالة الطقس"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
msgid "Condition"
msgstr ""
msgstr "غائم"
#. WEATHER_TERMS['CURRENT CONDITION']
#: searx/searxng.msg
msgid "Current condition"
msgstr ""
msgstr "الحالة الحالية"
#. WEATHER_TERMS['EVENING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -207,22 +208,22 @@ msgstr "مساء"
#. WEATHER_TERMS['FEELS LIKE']
#: searx/searxng.msg
msgid "Feels like"
msgstr ""
msgstr "كأنه"
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
msgid "Humidity"
msgstr ""
msgstr "رطوبة"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "الحرارة العظمى"
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "الحرارة الدنيا"
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -242,82 +243,97 @@ msgstr "ظهيرة"
#. WEATHER_TERMS['PRESSURE']
#: searx/searxng.msg
msgid "Pressure"
msgstr ""
msgstr "الضغط"
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
msgid "Sunrise"
msgstr ""
msgstr "الشروق"
#. WEATHER_TERMS['SUNSET']
#: searx/searxng.msg
msgid "Sunset"
msgstr ""
msgstr "الغروب"
#. WEATHER_TERMS['TEMPERATURE']
#: searx/searxng.msg
msgid "Temperature"
msgstr ""
msgstr "درجة الحرارة"
#. WEATHER_TERMS['UV INDEX']
#: searx/searxng.msg
msgid "UV index"
msgstr ""
msgstr "مؤشر الأشعة فوق البنفسجية"
#. WEATHER_TERMS['VISIBILITY']
#: searx/searxng.msg
msgid "Visibility"
msgstr ""
msgstr "الرؤيا"
#. WEATHER_TERMS['WIND']
#: searx/searxng.msg
msgid "Wind"
msgstr ""
msgstr "الرياح"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "المشتركين"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
msgid "posts"
msgstr ""
msgstr "المنشور"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "المستخدمين النشطين"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "التعليقات"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "المستخدم"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "المجتمع"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
msgid "points"
msgstr ""
msgstr "النقاط"
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "العنوان"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr ""
msgstr "الكاتب"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "مفتوح"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "مغلق"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "أُجيبت"
#: searx/webapp.py:330
msgid "No item found"
@ -496,7 +512,7 @@ msgstr "جودة الملف"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "حساب التعبيرات الرياضية عبر شريط البحث"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -506,13 +522,19 @@ msgstr "يحول السلسلة إلى ملخص التجزئة."
msgid "hash digest"
msgstr "ملخص التجزئة"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "استبدال اسم المضيف"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "أعد كتابة أسماء مضيفي النتائج أو أزل النتائج بناءً على اسم المضيف"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "مُلحق لأسماء المضيفين (Hostnames)"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"أعِد كتابة أسماء المضيفين (hostnames) أو أزِل النتائج أو حدّد أولوياتها بناءً"
" على اسم المضيف (hostname)"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -580,7 +602,7 @@ msgstr ""
#: searx/plugins/unit_converter.py:29
msgid "Convert between units"
msgstr ""
msgstr "التحويل بين الوحدات"
#: searx/templates/simple/404.html:4
msgid "Page not found"
@ -641,22 +663,22 @@ msgstr "اتصال بالمشرف المخدم النموذجي"
msgid "Click on the magnifier to perform search"
msgstr "انقر على رمز المكبر للقيام بالبحث"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "الطول"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "الكاتب"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "النسخة المخبأة"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "المخدم البروكسي"
@ -1150,11 +1172,11 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "فعّل الكل"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "عطّل الكل"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
@ -1409,7 +1431,7 @@ msgstr "الإصدار"
#: searx/templates/simple/result_templates/packages.html:18
msgid "Maintainer"
msgstr ""
msgstr "المسئول عن صيانة"
#: searx/templates/simple/result_templates/packages.html:24
msgid "Updated at"
@ -1914,3 +1936,5 @@ msgstr "إخفاء الفيديو"
#~ " الرجاء إعادة صياغة طلب البحث أو "
#~ "إبحث مع تحديد أكثر من فئة."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "أعد كتابة أسماء مضيفي النتائج أو أزل النتائج بناءً على اسم المضيف"

View file

@ -11,14 +11,14 @@
# return42 <markus.heiser@darmarit.de>, 2023, 2024.
# Salif Mehmed <mail@salif.eu>, 2023, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# krlsk <krlsk@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-04-28 18:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-25 08:18+0000\n"
"Last-Translator: krlsk <krlsk@users.noreply.translate.codeberg.org>\n"
"Language: bg\n"
"Language-Team: Bulgarian "
"<https://translate.codeberg.org/projects/searxng/searxng/bg/>\n"
@ -26,7 +26,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -166,7 +166,7 @@ msgstr "тъмен"
#. BRAND_CUSTOM_LINKS['UPTIME']
#: searx/searxng.msg
msgid "Uptime"
msgstr ""
msgstr "Време на работа"
#. BRAND_CUSTOM_LINKS['ABOUT']
#: searx/searxng.msg searx/templates/simple/base.html:50
@ -176,22 +176,22 @@ msgstr "Относно"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "Средна темп."
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "Облачно"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
msgid "Condition"
msgstr ""
msgstr "Обстановка"
#. WEATHER_TERMS['CURRENT CONDITION']
#: searx/searxng.msg
msgid "Current condition"
msgstr ""
msgstr "Сегашна обстановка"
#. WEATHER_TERMS['EVENING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -211,12 +211,12 @@ msgstr "Влажност"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "Максилмална темп."
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Минимална темп."
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -281,7 +281,7 @@ msgstr "Публикации"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "активни потребители"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
@ -296,7 +296,7 @@ msgstr "Потребител"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "общност"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
@ -313,6 +313,21 @@ msgstr "Заглавие"
msgid "author"
msgstr "Автор"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Не е намерен артикул"
@ -492,7 +507,7 @@ msgstr "Качество на файл"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "Изчеслете математически изрази през лентата за търсене"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -502,15 +517,17 @@ msgstr "Преобразува низове в различни хаш-извл
msgid "hash digest"
msgstr "хеш извлечение"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Замяна на името на хоста"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Пренапишете имената на хостове на резултатите или премахнете резултатите "
"въз основа на името на хоста"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -526,7 +543,7 @@ msgstr ""
#: searx/plugins/self_info.py:9
msgid "Self Information"
msgstr ""
msgstr "Лична информация"
#: searx/plugins/self_info.py:10
msgid ""
@ -574,7 +591,7 @@ msgstr "Премахни следящите аргументи от върнат
#: searx/plugins/unit_converter.py:29
msgid "Convert between units"
msgstr ""
msgstr "Превръщане между единици"
#: searx/templates/simple/404.html:4
msgid "Page not found"
@ -635,22 +652,22 @@ msgstr "Контакт за връзка с поддържащия публич
msgid "Click on the magnifier to perform search"
msgstr "Кликнете лупичката, за да изпълните търсене"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Дължина"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Автор"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "кеширана"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "прекарана"
@ -1002,11 +1019,11 @@ msgstr "Няма намерени резултати. Може да опитат
#: searx/templates/simple/messages/no_results.html:14
msgid "There are no more results. You can try to:"
msgstr ""
msgstr "Няма повече резултати. Може да опитате да:"
#: searx/templates/simple/messages/no_results.html:19
msgid "Refresh the page."
msgstr "Опресни страницата"
msgstr "Опресни страницата."
#: searx/templates/simple/messages/no_results.html:20
msgid "Search for another query or select another category (above)."
@ -1022,11 +1039,13 @@ msgstr "Премини на друг сървър:"
#: searx/templates/simple/messages/no_results.html:24
msgid "Search for another query or select another category."
msgstr ""
msgstr "Потърсете друга заявка или изберете друга категория."
#: searx/templates/simple/messages/no_results.html:25
msgid "Go back to the previous page using the previous page button."
msgstr ""
"Върнете се към предишната страница, като използвате бутона \"Предишна "
"страница\"."
#: searx/templates/simple/preferences/answerers.html:4
#: searx/templates/simple/preferences/engines.html:23
@ -1121,15 +1140,15 @@ msgstr ""
#: searx/templates/simple/preferences/cookies.html:46
msgid "Copy preferences hash"
msgstr ""
msgstr "Копиране на хеш на предпочитанията"
#: searx/templates/simple/preferences/cookies.html:57
msgid "Insert copied preferences hash (without URL) to restore"
msgstr ""
msgstr "Вмъкнете копирания хеш на предпочитанията (без URL), за да ги възстановите"
#: searx/templates/simple/preferences/cookies.html:59
msgid "Preferences hash"
msgstr ""
msgstr "Хеш на предпочитанията"
#: searx/templates/simple/preferences/doi_resolver.html:2
msgid "Open Access DOI resolver"
@ -1151,11 +1170,11 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "Разрешаване на всички"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "Деактивиране на всички"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
@ -1285,6 +1304,8 @@ msgid ""
"Perform search immediately if a category selected. Disable to select "
"multiple categories"
msgstr ""
"Извършване на търсене веднага, ако е избрана категория. Деактивирайте, за"
" да изберете няколко категории"
#: searx/templates/simple/preferences/theme.html:2
msgid "Theme"
@ -1412,11 +1433,11 @@ msgstr "Версия"
#: searx/templates/simple/result_templates/packages.html:18
msgid "Maintainer"
msgstr ""
msgstr "Поддържащ"
#: searx/templates/simple/result_templates/packages.html:24
msgid "Updated at"
msgstr ""
msgstr "Обновено в"
#: searx/templates/simple/result_templates/packages.html:30
#: searx/templates/simple/result_templates/paper.html:25
@ -1425,7 +1446,7 @@ msgstr "Етикети"
#: searx/templates/simple/result_templates/packages.html:36
msgid "Popularity"
msgstr ""
msgstr "Популярност"
#: searx/templates/simple/result_templates/packages.html:42
msgid "License"
@ -1437,7 +1458,7 @@ msgstr "Проект"
#: searx/templates/simple/result_templates/packages.html:55
msgid "Project homepage"
msgstr ""
msgstr "Начална страница на проекта"
#: searx/templates/simple/result_templates/paper.html:5
msgid "Published date"
@ -1915,3 +1936,9 @@ msgstr "скрий видеото"
#~ "други ключови думи или търсете в "
#~ "повече категории."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Пренапишете имената на хостове на "
#~ "резултатите или премахнете резултатите въз "
#~ "основа на името на хоста"

View file

@ -12,22 +12,24 @@
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# MonsoonRain <MonsoonRain@users.noreply.translate.codeberg.org>, 2024.
# Utsushime <Utsushime@users.noreply.translate.codeberg.org>, 2024.
# MusfiquerRhman <MusfiquerRhman@users.noreply.translate.codeberg.org>,
# 2024.
msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-17 06:18+0000\n"
"Last-Translator: Utsushime <Utsushime@users.noreply.translate.codeberg.org>\n"
"Language-Team: Bengali <https://translate.codeberg.org/projects/searxng/"
"searxng/bn/>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-25 08:18+0000\n"
"Last-Translator: MusfiquerRhman "
"<MusfiquerRhman@users.noreply.translate.codeberg.org>\n"
"Language: bn\n"
"Language-Team: Bengali "
"<https://translate.codeberg.org/projects/searxng/searxng/bn/>\n"
"Plural-Forms: nplurals=2; plural=n > 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n > 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -314,6 +316,21 @@ msgstr "শিরোনাম"
msgid "author"
msgstr "লেখক"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "কোন আইটেম পাওয়া যায়নি"
@ -492,7 +509,7 @@ msgstr "নথি মান"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "সার্চ বারের মাধমে গানিতিক সমীকরণ সমাধান করুন"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -502,13 +519,17 @@ msgstr "স্ট্রিংগুলিকে বিভিন্ন হ্য
msgid "hash digest"
msgstr "হ্যাশ ডাইজেস্ট"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "হোস্টনাম প্রতিস্থাপন"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "ফলাফল হোস্টনাম পুনরায় লিখুন বা হোস্টনামের উপর ভিত্তি করে ফলাফল মুছে ফেলুন"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -577,7 +598,7 @@ msgstr "ফিরে আসা URL থেকে ট্র্যাকার আ
#: searx/plugins/unit_converter.py:29
msgid "Convert between units"
msgstr ""
msgstr "এক একক থেকে অন্য এককে রুপান্তর"
#: searx/templates/simple/404.html:4
msgid "Page not found"
@ -638,22 +659,22 @@ msgstr "ইন্সট্যান্স রক্ষণাবেক্ষণ
msgid "Click on the magnifier to perform search"
msgstr "অনুসন্ধান করতে ম্যাগনিফায়ার আইকনে ক্লিক করুন"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "দৈর্ঘ্য"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "লেখক"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "ক্যাশকৃত"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "প্রক্সিকৃত"
@ -1149,11 +1170,11 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "সব সক্রিয় করুন"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "সব নিস্ক্রিয় করুন"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
@ -1670,3 +1691,10 @@ msgstr "ভিডিও লুকিয়ে ফেলুন"
#~ "আমরা কোন ফলাফল খুঁজে পাইনি. অনুগ্রহ "
#~ "করে অন্য কোনো প্রশ্ন ব্যবহার করুন "
#~ "বা আরও বিভাগে অনুসন্ধান করুন।"
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "ফলাফল হোস্টনাম পুনরায় লিখুন বা "
#~ "হোস্টনামের উপর ভিত্তি করে ফলাফল মুছে "
#~ "ফেলুন"

View file

@ -10,7 +10,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2023-06-02 07:07+0000\n"
"Last-Translator: return42 <markus.heiser@darmarit.de>\n"
"Language: bo\n"
@ -20,7 +20,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -307,6 +307,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "རྣམ་གྲངས་གང་ཡང་རྙེད་རྒྱུ་མ་བྱུང་།"
@ -488,12 +503,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -613,22 +632,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr "ས་བོན་སྟེང་གི་སྦྲེལ་ཐག་ལ་རྡེབ་ནས་འཚོལ་བཤེར་གཏོང་།"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr ""
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "འདྲ་བཤུས་རྒྱབ་ཚར།"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "མངག་བཅོལ་བྱེད་ཟིན།"
@ -1839,3 +1858,6 @@ msgstr "རྙན་ཟློས་སྦས།"
#~ "འཚོལ་འབྲས་གང་ཡང་མ་ཐོབ། "
#~ "ཁྱེད་ཀྱིས་འཚོལ་བཤེར་ཐ་སྙད་གཞན་པ་ནས་ཚོད་ལྟ་བྱེད་རོགས།"
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

View file

@ -21,7 +21,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-04-06 00:18+0000\n"
"Last-Translator: sserra <sserra@users.noreply.translate.codeberg.org>\n"
"Language: ca\n"
@ -31,7 +31,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -318,6 +318,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "No s'ha trobat cap element"
@ -506,13 +521,17 @@ msgstr "Converteix cadenes en diferents empremtes de hash."
msgid "hash digest"
msgstr "resum del hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Substitució del nom de l'amfitrió"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Reescriu o suprimeix resultats basant-se en els noms d'amfitrió"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -640,22 +659,22 @@ msgstr "Contacteu amb el mantenidor de la instància"
msgid "Click on the magnifier to perform search"
msgstr "Feu clic en la lupa per a executar la cerca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Longitud"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "en memòria cau"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "en servidor intermediari"
@ -1937,3 +1956,6 @@ msgstr "oculta el vídeo"
#~ "una consulta diferent o cerqueu en "
#~ "més categories."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Reescriu o suprimeix resultats basant-se en els noms d'amfitrió"

View file

@ -18,8 +18,8 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 06:13+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: Fjuro <fjuro@alius.cz>\n"
"Language-Team: Czech <https://translate.codeberg.org/projects/searxng/"
"searxng/cs/>\n"
@ -29,8 +29,8 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n "
"<= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -317,6 +317,21 @@ msgstr "název"
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "otevřené"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "zavřené"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "zodpovězené"
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nic nenalezeno"
@ -505,13 +520,19 @@ msgstr "Převádí řetězce na různé hash hodnoty."
msgid "hash digest"
msgstr "hash hodnota"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Nahrazení adresy serveru"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Přepsat adresy serverů nebo odstranit výsledky podle adresy"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "Doplněk hostitelských jmen"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Přepsat hostitelská jména, odstranit výsledky nebo je prioritizovat na "
"základě hostitelského jména"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -639,22 +660,22 @@ msgstr "Kontaktujte správce instance"
msgid "Click on the magnifier to perform search"
msgstr "Vyhledávání provedete kliknutím na lupu"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Délka"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "archivovaná verze"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "přes proxy"
@ -1923,3 +1944,6 @@ msgstr "skrýt video"
#~ "Nenašli jsme žádné výsledky. Použijte "
#~ "prosím jiný dotaz nebo hledejte ve "
#~ "více kategoriích."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Přepsat adresy serverů nebo odstranit výsledky podle adresy"

File diff suppressed because it is too large Load diff

View file

@ -13,9 +13,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-23 23:17+0000\n"
"Last-Translator: lolmeOzzi <lolmeOzzi@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Danish <https://translate.codeberg.org/projects/searxng/"
"searxng/da/>\n"
"Language: da\n"
@ -24,7 +24,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -311,6 +311,21 @@ msgstr "titel"
msgid "author"
msgstr "forfatter"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Åbn"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Intet fundet"
@ -500,15 +515,17 @@ msgstr "Konverterer strenge til forskellige hash-digests."
msgid "hash digest"
msgstr "hash-digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Værtsnavn erstat"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Omskriv resultatets værtsnavne eller fjerne resultater baseret på "
"værtsnavnet"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -636,22 +653,22 @@ msgstr "Kontakt tilbyderen af instansen"
msgid "Click on the magnifier to perform search"
msgstr "Klik på forstørrelsesglasset for at udføre søgning"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Længde"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Forfatter"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "cachet"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "viderestillet"
@ -1923,3 +1940,8 @@ msgstr "skjul video"
#~ "Vi fandt ingen resultater. Benyt "
#~ "venligst en anden søge-streng eller "
#~ "søg i flere kategorier."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Omskriv resultatets værtsnavne eller fjerne"
#~ " resultater baseret på værtsnavnet"

View file

@ -26,9 +26,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 06:13+0000\n"
"Last-Translator: German <German@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: German <https://translate.codeberg.org/projects/searxng/"
"searxng/de/>\n"
"Language: de\n"
@ -36,8 +36,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -324,6 +324,21 @@ msgstr "Titel"
msgid "author"
msgstr "Autor/-in"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "offen"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "geschlossen"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "beantwortet"
#: searx/webapp.py:330
msgid "No item found"
msgstr "Keine Einträge gefunden"
@ -513,15 +528,19 @@ msgstr "Konvertiert Zeichenketten in verschiedene Hashwerte."
msgid "hash digest"
msgstr "Hashwert"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Hostnamen ändern"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "Hostnames plugin"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Umschreiben des Hostnamen oder sperren von Hostnamen in den Such-"
"Ergebnissen"
"Umschreiben von Hostnamen, Entfernen von Ergebnissen oder Priorisieren von "
"Ergebnissen auf der Grundlage des Hostnamens"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -653,22 +672,22 @@ msgstr "Kontakt zum Betreuer der Instanz"
msgid "Click on the magnifier to perform search"
msgstr "klicke auf die Lupe, um die Suche zu starten"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Länge"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "Im Cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxy"
@ -1958,3 +1977,8 @@ msgstr "Video verstecken"
#~ "werden. Bitte nutze einen anderen "
#~ "Suchbegriff, oder suche das gewünschte "
#~ "in einer anderen Kategorie."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Umschreiben des Hostnamen oder sperren "
#~ "von Hostnamen in den Such-Ergebnissen"

View file

@ -7,7 +7,7 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2022-11-04 07:18+0000\n"
"Last-Translator: Landhoo School Students "
"<landhooschoolstudents@gmail.com>\n"
@ -18,7 +18,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -305,6 +305,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr ""
@ -486,12 +501,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -611,22 +630,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr ""
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr ""
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""
@ -1570,3 +1589,6 @@ msgstr ""
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

View file

@ -14,20 +14,20 @@
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-03-12 17:28+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-14 07:08+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Greek <https://translate.codeberg.org/projects/searxng/"
"searxng/el/>\n"
"Language: el_GR\n"
"Language-Team: Greek "
"<https://translate.codeberg.org/projects/searxng/searxng/el/>\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -77,7 +77,7 @@ msgstr "ράδιο"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "Τηλεόραση"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -177,12 +177,12 @@ msgstr "Σχετικά με το SearXNG"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "Μέση Θερμοκρασία"
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "Νεφοκάλυψη"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
@ -197,27 +197,27 @@ msgstr ""
#. WEATHER_TERMS['EVENING']
#: searx/engines/wttr.py:100 searx/searxng.msg
msgid "Evening"
msgstr "Βράδι"
msgstr "Βράδυ"
#. WEATHER_TERMS['FEELS LIKE']
#: searx/searxng.msg
msgid "Feels like"
msgstr ""
msgstr "Αίσθηση"
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
msgid "Humidity"
msgstr ""
msgstr "Υγρασία"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "Μέγιστη Θερμοκρασία"
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Ελάχιστη Θερμοκρασία"
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -237,7 +237,7 @@ msgstr "Μεσημέρι"
#. WEATHER_TERMS['PRESSURE']
#: searx/searxng.msg
msgid "Pressure"
msgstr ""
msgstr "Πίεση"
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
@ -314,6 +314,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Δεν βρέθηκαν αντικείμενα"
@ -503,15 +518,17 @@ msgstr "Μετατρέπει κείμενο σε διαφορετικές συν
msgid "hash digest"
msgstr "συνάρτηση κατατεμαχισμού"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Αντικατάσταση hostname"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Αντικατάσταση hostname των αποτελεσμάτων ή αφαίρεση των αποτελεσμάτων με "
"βάση το hostname"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -643,22 +660,22 @@ msgstr "Επικοινωνήστε με τον συντηρητή αυτής τ
msgid "Click on the magnifier to perform search"
msgstr "Κάντε κλικ στο μεγεθυντικό φακό για να πραγματοποιήσετε αναζήτηση"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Μήκος"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Συγγραφέας"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "προσωρινά αποθηκευμένο"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "Διαμεσολαβημένα"
@ -1931,3 +1948,8 @@ msgstr "απόκρυψη βίντεο"
#~ "χρησιμοποιήστε άλλη αναζήτηση ή ψάξτε σε"
#~ " περισσότερες κατηγορίες."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Αντικατάσταση hostname των αποτελεσμάτων ή "
#~ "αφαίρεση των αποτελεσμάτων με βάση το"
#~ " hostname"

View file

@ -7,7 +7,7 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2014-01-30 15:22+0100\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language: en\n"
@ -16,7 +16,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -303,6 +303,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr ""
@ -484,12 +499,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -609,22 +628,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr ""
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr ""
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""
@ -1836,3 +1855,6 @@ msgstr ""
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

View file

@ -17,7 +17,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-03-22 07:09+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
@ -28,7 +28,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -315,6 +315,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nenio trovita"
@ -503,15 +518,17 @@ msgstr "Konvertas ĉenojn al malsamaj hash-digestoj."
msgid "hash digest"
msgstr "haketa mesaĝaro"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Gastnomo anstataŭigas"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Reskribi rezultajn gastigajn nomojn aŭ forigi rezultojn bazitajn sur la "
"gastiga nomo"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -641,22 +658,22 @@ msgstr "Kontaktu instancon prizorganto"
msgid "Click on the magnifier to perform search"
msgstr "Alklaku la lupeon por serĉi"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Longo"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Verkisto"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "kaŝmemorigita"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "prokurata"
@ -1905,3 +1922,9 @@ msgstr "kaŝi videojn"
#~ "alian serĉfrazon aŭ serĉu en pliaj "
#~ "kategorioj."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Reskribi rezultajn gastigajn nomojn aŭ "
#~ "forigi rezultojn bazitajn sur la gastiga"
#~ " nomo"

View file

@ -32,21 +32,20 @@
# gallegonovato <gallegonovato@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-14 19:20+0000\n"
"Last-Translator: gallegonovato <gallegonovato@users.noreply.translate."
"codeberg.org>\n"
"Language-Team: Spanish <https://translate.codeberg.org/projects/searxng/"
"searxng/es/>\n"
"Last-Translator: gallegonovato "
"<gallegonovato@users.noreply.translate.codeberg.org>\n"
"Language: es\n"
"Language-Team: Spanish "
"<https://translate.codeberg.org/projects/searxng/searxng/es/>\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -333,6 +332,21 @@ msgstr "título"
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Ningún artículo encontrado"
@ -522,15 +536,17 @@ msgstr "Convierte cadenas de texto a diferentes resúmenes hash."
msgid "hash digest"
msgstr "resumen de hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Sustituir el nombre de host"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Reescribir los nombres de host de los resultados o eliminar los "
"resultados en función del nombre de host"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -660,22 +676,22 @@ msgstr "Contactar al mantenedor de la instancia"
msgid "Click on the magnifier to perform search"
msgstr "Haz clic en la lupa para realizar la búsqueda"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Longitud"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "en caché"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "por un proxy"
@ -1957,3 +1973,10 @@ msgstr "ocultar video"
#~ "No encontramos ningún resultado. Por "
#~ "favor, formule su búsqueda de otra "
#~ "forma o busque en más categorías."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Reescribir los nombres de host de "
#~ "los resultados o eliminar los resultados"
#~ " en función del nombre de host"

View file

@ -13,20 +13,20 @@
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-14 19:20+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Estonian <https://translate.codeberg.org/projects/searxng/"
"searxng/et/>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-01 07:13+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"Language: et\n"
"Language-Team: Estonian "
"<https://translate.codeberg.org/projects/searxng/searxng/et/>\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -271,7 +271,7 @@ msgstr "Tuul"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "tellijad"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
@ -313,6 +313,21 @@ msgstr ""
msgid "author"
msgstr "Autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Üksust ei leitud"
@ -501,15 +516,17 @@ msgstr "Teisendab stringid erinevateks hash-digestideks."
msgid "hash digest"
msgstr "hash-digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Hostnime asendamine"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Tulemuste hostinimede ümberkirjutamine või tulemuste eemaldamine "
"hostinime alusel"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -639,22 +656,22 @@ msgstr "Võtke ühendust instantsi hooldajaga"
msgid "Click on the magnifier to perform search"
msgstr "Klõpsa luubile otsingu teostamiseks"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Pikkus"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "vahemälus"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proksitud"
@ -1901,3 +1918,9 @@ msgstr "peida video"
#~ "me ei leidnud ühtegi tulemust. Palun "
#~ "kasuta teist päringut või otsi "
#~ "rohkematest kategooriatest."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Tulemuste hostinimede ümberkirjutamine või "
#~ "tulemuste eemaldamine hostinime alusel"

View file

@ -16,7 +16,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-02 12:18+0000\n"
"Last-Translator: alexgabi <alexgabi@users.noreply.translate.codeberg.org>"
"\n"
@ -27,7 +27,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -314,6 +314,21 @@ msgstr "izenburua"
msgid "author"
msgstr "egilea"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Ez da elementurik aurkitu"
@ -502,15 +517,17 @@ msgstr "Kateak traola laburpen desberdinetara bihurtzen ditu."
msgid "hash digest"
msgstr "traola laburpena"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Ostalariaren izena ordezkatu"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Berridatzi emaitzen ostalari-izenak edo kendu emaitzak ostalari-izenaren "
"arabera"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -640,22 +657,22 @@ msgstr "Instantziaren mantentzailearekin harremanetan jarri"
msgid "Click on the magnifier to perform search"
msgstr "Lupan sakatu bilaketa egiteko"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Luzera"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Egilea"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "cachean gordeta"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxyan gordeta"
@ -1907,3 +1924,8 @@ msgstr "ezkutatu bideoa"
#~ "beste kontsulta bat egin edo bilatu "
#~ "kategoria gehiagotan."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Berridatzi emaitzen ostalari-izenak edo "
#~ "kendu emaitzak ostalari-izenaren arabera"

View file

@ -19,7 +19,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-04-06 00:18+0000\n"
"Last-Translator: tegcope <tegcope@users.noreply.translate.codeberg.org>\n"
"Language: fa_IR\n"
@ -29,7 +29,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -316,6 +316,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "چیزی پیدا نشد"
@ -504,13 +519,17 @@ msgstr "رشته‌ها را به چکیده‌های هش تبدیل می‌ک
msgid "hash digest"
msgstr "چکیدهٔ هش"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "جایگزینی نام میزبان"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "نام میزبان نتایج را بازنویسی کنید یا نتایج را بر اساس نام میزبان حذف کنید"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -640,22 +659,22 @@ msgstr "تماس با مسئول‌نگهداری نمونه"
msgid "Click on the magnifier to perform search"
msgstr "برای انجام جست‌وجو روی ذره‌بین کلیک کنید"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "طول"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "نویسنده"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "جاسازی‌شده"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "پروکسی‌شده"
@ -1918,3 +1937,9 @@ msgstr "پنهان‌سازی ویدئو"
#~ "را بیازمایید یا در دسته‌‌های بیش‌تری "
#~ "جست‌وجو کنید."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "نام میزبان نتایج را بازنویسی کنید "
#~ "یا نتایج را بر اساس نام میزبان "
#~ "حذف کنید"

View file

@ -10,14 +10,14 @@
# artnay <jiri.gronroos@iki.fi>, 2023.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# Implosion <Implosion@users.noreply.translate.codeberg.org>, 2024.
# artnay <artnay@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-04-28 18:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-07 00:18+0000\n"
"Last-Translator: artnay <artnay@users.noreply.translate.codeberg.org>\n"
"Language: fi\n"
"Language-Team: Finnish "
"<https://translate.codeberg.org/projects/searxng/searxng/fi/>\n"
@ -25,7 +25,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -312,6 +312,21 @@ msgstr "Otsikko"
msgid "author"
msgstr "tekijä"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Tietuetta ei löytynyt"
@ -490,7 +505,7 @@ msgstr "Tiedoston laatu"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "Laske matemaattisia lausekkeita hakupalkissa"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -500,15 +515,17 @@ msgstr "Muuntaa merkkijonot erilaisiksi hash-digesteiksi."
msgid "hash digest"
msgstr "hash-digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Isäntänimen korvaus"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Kirjoita tuloksien isäntänimiä uudelleen tai poista tulokset isäntänimen "
"perusteella"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -577,7 +594,7 @@ msgstr "Poista seurantapalvelinten argumentit palautetusta osoitteesta"
#: searx/plugins/unit_converter.py:29
msgid "Convert between units"
msgstr ""
msgstr "Muunna yksiköiden välillä"
#: searx/templates/simple/404.html:4
msgid "Page not found"
@ -638,22 +655,22 @@ msgstr "Ota yhteyttä palvelun ylläpitäjään"
msgid "Click on the magnifier to perform search"
msgstr "Napsauta suurennuslasia suorittaaksesi haun"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Pituus"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Tekijä"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "välimuistissa"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "välityspalvelimella"
@ -1122,15 +1139,15 @@ msgstr ""
#: searx/templates/simple/preferences/cookies.html:46
msgid "Copy preferences hash"
msgstr ""
msgstr "Kopioi asetusten tiiviste"
#: searx/templates/simple/preferences/cookies.html:57
msgid "Insert copied preferences hash (without URL) to restore"
msgstr ""
msgstr "Syötä kopioitu asetusten tiiviste (ilman URL-osoitetta) palautusta varten"
#: searx/templates/simple/preferences/cookies.html:59
msgid "Preferences hash"
msgstr ""
msgstr "Asetusten tiiviste"
#: searx/templates/simple/preferences/doi_resolver.html:2
msgid "Open Access DOI resolver"
@ -1150,11 +1167,11 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "Käytä kaikkia"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "Poista kaikki käytöstä"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
@ -1412,11 +1429,11 @@ msgstr "Versio"
#: searx/templates/simple/result_templates/packages.html:18
msgid "Maintainer"
msgstr ""
msgstr "Ylläpitäjä"
#: searx/templates/simple/result_templates/packages.html:24
msgid "Updated at"
msgstr ""
msgstr "Päivitetty"
#: searx/templates/simple/result_templates/packages.html:30
#: searx/templates/simple/result_templates/paper.html:25
@ -1425,7 +1442,7 @@ msgstr "Tägit"
#: searx/templates/simple/result_templates/packages.html:36
msgid "Popularity"
msgstr ""
msgstr "Suosio"
#: searx/templates/simple/result_templates/packages.html:42
msgid "License"
@ -1437,7 +1454,7 @@ msgstr "Projekti"
#: searx/templates/simple/result_templates/packages.html:55
msgid "Project homepage"
msgstr ""
msgstr "Projektin sivusto"
#: searx/templates/simple/result_templates/paper.html:5
msgid "Published date"
@ -1920,3 +1937,8 @@ msgstr "piilota video"
#~ "tai ulota hakusi nykyistä useampiin eri"
#~ " luokkiin."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Kirjoita tuloksien isäntänimiä uudelleen tai"
#~ " poista tulokset isäntänimen perusteella"

View file

@ -15,7 +15,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-04-03 13:28+0000\n"
"Last-Translator: Kita Ikuyo <searinminecraft@courvix.com>\n"
"Language: fil\n"
@ -26,7 +26,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -313,6 +313,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Walang nakita na aytem"
@ -500,13 +515,17 @@ msgstr "Isinasalin ang string sa iba't ibang hash digests."
msgid "hash digest"
msgstr "Hash digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Palitan ang hostname"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Palitan ang resulta ng hostname o tanggalin ang resulta base sa hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -638,22 +657,22 @@ msgstr "Kontakin ang iyong instance maintainer"
msgid "Click on the magnifier to perform search"
msgstr "Pindutin ang magnifier para maghanap"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Haba"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Awtor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "naka-cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxied"
@ -1931,3 +1950,8 @@ msgstr "itago ang video"
#~ " na ibahin ang tanong o maghanap "
#~ "sa maraming uri."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Palitan ang resulta ng hostname o "
#~ "tanggalin ang resulta base sa hostname"

View file

@ -25,8 +25,8 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 07:09+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: French <https://translate.codeberg.org/projects/searxng/"
"searxng/fr/>\n"
@ -35,8 +35,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n > 1;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -323,6 +323,21 @@ msgstr "Titre"
msgid "author"
msgstr "Auteur"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Ouvert"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Fermé"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Pas d'élément trouvé"
@ -512,13 +527,17 @@ msgstr "Convertit les chaînes de caractères en différents condensés de hacha
msgid "hash digest"
msgstr "hash digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Remplacer les noms de domaine"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Réécrit ou supprime les résultats en se basant sur les noms de domaine"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -646,22 +665,22 @@ msgstr "Contacter le responsable de l'instance"
msgid "Click on the magnifier to perform search"
msgstr "Cliquez sur la loupe pour effectuer une recherche"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Durée"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Auteur"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "en cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxifié"
@ -1952,3 +1971,6 @@ msgstr "cacher la vidéo"
#~ "nous n'avons trouvé aucun résultat. "
#~ "Effectuez une autre recherche ou changez"
#~ " de catégorie."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Réécrit ou supprime les résultats en se basant sur les noms de domaine"

View file

@ -8,12 +8,13 @@
# ghose <correo@xmgz.eu>, 2023, 2024.
# return42 <markus.heiser@darmarit.de>, 2023, 2024.
# ghose <ghose@users.noreply.translate.codeberg.org>, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 06:13+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: ghose <ghose@users.noreply.translate.codeberg.org>\n"
"Language-Team: Galician <https://translate.codeberg.org/projects/searxng/"
"searxng/gl/>\n"
@ -22,8 +23,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -168,7 +169,7 @@ msgstr "Activo fai"
#. BRAND_CUSTOM_LINKS['ABOUT']
#: searx/searxng.msg searx/templates/simple/base.html:50
msgid "About"
msgstr "Acerca de"
msgstr "Sobre"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
@ -310,6 +311,21 @@ msgstr "título"
msgid "author"
msgstr "autoría"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Abrir"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "fechado"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "respondido"
#: searx/webapp.py:330
msgid "No item found"
msgstr "Non se atoparon elementos"
@ -498,15 +514,19 @@ msgstr "Converte o escrito usando diferentes funcións hash."
msgid "hash digest"
msgstr "función hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Substituír servidor"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "Complemento de nomes de servidor"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Reescribir o nome do servidor ou eliminar resultado en función do nome do"
" servidor"
"Reescribe nomes de servidor, elimina resultados ou prioriza en función do "
"servidor"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -517,8 +537,8 @@ msgid ""
"Avoid paywalls by redirecting to open-access versions of publications "
"when available"
msgstr ""
"Evitar valados de pago redireccionando a versións públicas das "
"publicacións cando estén dispoñibles"
"Evitar valados de pago redirixindo a versións abertas das publicacións "
"cando estean dispoñibles"
#: searx/plugins/self_info.py:9
msgid "Self Information"
@ -529,7 +549,7 @@ msgid ""
"Displays your IP if the query is \"ip\" and your user agent if the query "
"contains \"user agent\"."
msgstr ""
"Mostra o teu IP se a consulta é \"ip\" e o teu Use Agent se a consulta "
"Mostra o teu IP se a consulta é \"ip\", e o teu User Agent se a consulta "
"contén \"user agent\"."
#: searx/plugins/tor_check.py:24
@ -634,22 +654,22 @@ msgstr "Contactar coa administración"
msgid "Click on the magnifier to perform search"
msgstr "Preme na lupa para realizar a busca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lonxitude"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autora"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "en memoria"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "a través de proxy"
@ -663,7 +683,7 @@ msgstr "Comproba que non exista xa un informe sobre este motor en GitHub"
#: searx/templates/simple/new_issue.html:69
msgid "I confirm there is no existing bug about the issue I encounter"
msgstr "Confirmo que non existe un informe acerca deste problema que atopei"
msgstr "Confirmo que non existe un informe sobre este problema que atopei"
#: searx/templates/simple/new_issue.html:71
msgid "If this is a public instance, please specify the URL in the bug report"
@ -744,7 +764,7 @@ msgstr "Consultas especiais"
#: searx/templates/simple/preferences.html:237
msgid "Cookies"
msgstr "Cookies"
msgstr "Rastros"
#: searx/templates/simple/results.html:23
msgid "Answers"
@ -985,7 +1005,7 @@ msgstr "Información!"
#: searx/templates/simple/messages/no_cookies.html:4
msgid "currently, there are no cookies defined."
msgstr "actualmente non hai cookies establecidas."
msgstr "actualmente non hai rastros establecidos."
#: searx/templates/simple/messages/no_results.html:6
msgid "Sorry!"
@ -1059,7 +1079,7 @@ msgstr "Autocompletar"
#: searx/templates/simple/preferences/autocomplete.html:15
msgid "Find stuff as you type"
msgstr "Buscar nas cousas metras escribes"
msgstr "Ir buscando metras escribes"
#: searx/templates/simple/preferences/center_alignment.html:2
msgid "Center Alignment"
@ -1074,8 +1094,8 @@ msgid ""
"This is the list of cookies and their values SearXNG is storing on your "
"computer."
msgstr ""
"Esta é a lista de cookies e os seus valores que SearXNG garda na túa "
"computadora."
"Esta é a lista de rastros que SearXNG garda na túa computadora xunto cos "
"seus valores."
#: searx/templates/simple/preferences/cookies.html:3
msgid "With that list, you can assess SearXNG transparency."
@ -1083,7 +1103,7 @@ msgstr "Con esta lista podes dar conta da transparencia de SearXNG."
#: searx/templates/simple/preferences/cookies.html:9
msgid "Cookie name"
msgstr "Nome da cookie"
msgstr "Nome do rastro"
#: searx/templates/simple/preferences/cookies.html:10
msgid "Value"
@ -1091,15 +1111,15 @@ msgstr "Valor"
#: searx/templates/simple/preferences/cookies.html:23
msgid "Search URL of the currently saved preferences"
msgstr "URL de Busca dos Axustes gardados actualmente"
msgstr "URL de Busca dos axustes gardados actualmente"
#: searx/templates/simple/preferences/cookies.html:32
msgid ""
"Note: specifying custom settings in the search URL can reduce privacy by "
"leaking data to the clicked result sites."
msgstr ""
"Nota: establecer axustes personalizados na URL de busca pode reducir a "
"túa privacidade ó filtrar datos ós sitios web dos resultados."
"Nota: establecer axustes personalizados no URL de busca pode reducir a "
"túa privacidade ao filtrar datos aos sitios web dos resultados."
#: searx/templates/simple/preferences/cookies.html:35
msgid "URL to restore your preferences in another browser"
@ -1172,7 +1192,7 @@ msgid ""
"These settings are stored in your cookies, this allows us not to store "
"this data about you."
msgstr ""
"Estes axustes gárdanse en cookies, así non temos que almacenar ningún "
"Estes axustes gárdanse en rastros, así non temos que almacenar ningún "
"dato sobre ti."
#: searx/templates/simple/preferences/footer.html:3
@ -1180,8 +1200,8 @@ msgid ""
"These cookies serve your sole convenience, we don't use these cookies to "
"track you."
msgstr ""
"Estas cookies son para a túa conveniencia, non utilizamos estas cookies "
"para rastrexarte."
"Estes rastros son para a túa conveniencia, non utilizamos os rastros para"
" rastrexarte."
#: searx/templates/simple/preferences/footer.html:6
msgid "Save"
@ -1193,7 +1213,7 @@ msgstr "Restablecer"
#: searx/templates/simple/preferences/footer.html:13
msgid "Back"
msgstr "Atrás"
msgstr "Volver"
#: searx/templates/simple/preferences/hotkeys.html:2
msgid "Hotkeys"
@ -1927,3 +1947,9 @@ msgstr "agochar vídeo"
#~ "non atopamos ningún resultado. Por "
#~ "favor, realiza outra consulta ou busca"
#~ " en máis categorías."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Reescribir o nome do servidor dos "
#~ "resultados ou eliminar resultados en "
#~ "función do nome do servidor"

View file

@ -14,25 +14,25 @@
# return42 <markus.heiser@darmarit.de>, 2023, 2024.
# shoko <nickskorohod@outlook.com>, 2023.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# sacred-serpent <sacred-serpent@users.noreply.translate.codeberg.org>, 2024.
# sacred-serpent <sacred-serpent@users.noreply.translate.codeberg.org>,
# 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-14 19:20+0000\n"
"Last-Translator: sacred-serpent <sacred-serpent@users.noreply.translate."
"codeberg.org>\n"
"Language-Team: Hebrew <https://translate.codeberg.org/projects/searxng/"
"searxng/he/>\n"
"Last-Translator: sacred-serpent <sacred-"
"serpent@users.noreply.translate.codeberg.org>\n"
"Language: he\n"
"Language-Team: Hebrew "
"<https://translate.codeberg.org/projects/searxng/searxng/he/>\n"
"Plural-Forms: nplurals=4; plural=(n == 1) ? 0 : ((n == 2) ? 1 : ((n > 10 "
"&& n % 10 == 0) ? 2 : 3));\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=4; plural=(n == 1) ? 0 : ((n == 2) ? 1 : ((n > 10 && "
"n % 10 == 0) ? 2 : 3));\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -319,6 +319,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "לא נמצא פריט"
@ -507,13 +522,17 @@ msgstr "ממיר מחרוזות לתוך hash digests (לקט גיבוב) שונ
msgid "hash digest"
msgstr "hash digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "החלפת Hostname"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "שכתב hostname של תוצאות או הסר תוצאות בהתבסס על hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -640,22 +659,22 @@ msgstr "צור קשר עם מפעיל השירת"
msgid "Click on the magnifier to perform search"
msgstr "לחץ על זכוכית המגדלת כדי לחפש"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "אורך"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "מחבר"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "מוטמן"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "פרוקסי"
@ -1893,3 +1912,7 @@ msgstr "הסתר וידאו"
#~ "use another query or search in "
#~ "more categories."
#~ msgstr "לא מצאנו תוצאות. אנא נסו שאילתא אחרת או חפשו בתוך יותר קטגוריות."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "שכתב hostname של תוצאות או הסר תוצאות בהתבסס על hostname"

View file

@ -13,22 +13,24 @@
# return42 <markus.heiser@darmarit.de>, 2023.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# Uzakmo <Uzakmo@users.noreply.translate.codeberg.org>, 2024.
# ganoci <ganoci@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-04-07 07:18+0000\n"
"Last-Translator: Uzakmo <Uzakmo@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: ganoci <ganoci@users.noreply.translate.codeberg.org>\n"
"Language-Team: Croatian <https://translate.codeberg.org/projects/searxng/"
"searxng/hr/>\n"
"Language: hr\n"
"Language-Team: Croatian "
"<https://translate.codeberg.org/projects/searxng/searxng/hr/>\n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && "
"n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && "
"n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -78,7 +80,7 @@ msgstr "radio"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "tv"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -178,22 +180,22 @@ msgstr "O nama"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "prosječna temperatura."
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "naoblaka"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
msgid "Condition"
msgstr ""
msgstr "Cremenski uvjeti"
#. WEATHER_TERMS['CURRENT CONDITION']
#: searx/searxng.msg
msgid "Current condition"
msgstr ""
msgstr "Trenutni vremenski uvjeti"
#. WEATHER_TERMS['EVENING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -203,22 +205,22 @@ msgstr "Večer"
#. WEATHER_TERMS['FEELS LIKE']
#: searx/searxng.msg
msgid "Feels like"
msgstr ""
msgstr "izgleda kao"
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
msgid "Humidity"
msgstr ""
msgstr "vlažnost"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "maks. temp."
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Min. temp."
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -238,81 +240,96 @@ msgstr "Podne"
#. WEATHER_TERMS['PRESSURE']
#: searx/searxng.msg
msgid "Pressure"
msgstr ""
msgstr "Pritisak"
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
msgid "Sunrise"
msgstr ""
msgstr "izlazak sunca"
#. WEATHER_TERMS['SUNSET']
#: searx/searxng.msg
msgid "Sunset"
msgstr ""
msgstr "zalazak"
#. WEATHER_TERMS['TEMPERATURE']
#: searx/searxng.msg
msgid "Temperature"
msgstr ""
msgstr "temperatura"
#. WEATHER_TERMS['UV INDEX']
#: searx/searxng.msg
msgid "UV index"
msgstr ""
msgstr "UV index"
#. WEATHER_TERMS['VISIBILITY']
#: searx/searxng.msg
msgid "Visibility"
msgstr ""
msgstr "vidljivost"
#. WEATHER_TERMS['WIND']
#: searx/searxng.msg
msgid "Wind"
msgstr ""
msgstr "vjetar"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "pretplatnici"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
msgid "posts"
msgstr ""
msgstr "objave"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "aktivni korisnici"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "komentari"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "korisnik"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "zajednica"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
msgid "points"
msgstr ""
msgstr "bodovi"
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "naslov"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
@ -503,15 +520,17 @@ msgstr "Pretvara niz u drukčije hash mješavine."
msgid "hash digest"
msgstr "Izlaz hash funkcije"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Zamjena lokalnog imena"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Ispravite (prepišite) rezultat hostnameova ili maknite rezultate bazirane"
" na hostname"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -637,22 +656,22 @@ msgstr "Kontaktirajte održavatelja instance"
msgid "Click on the magnifier to perform search"
msgstr "Kliknite na povećalo za izvođenje pretraživanja"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Dužina"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "spremljeno"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "preko proxyja"
@ -1918,3 +1937,7 @@ msgstr "sakrij video"
#~ "nema rezultata pretraživanja. Unesite novi "
#~ "upit ili pretražite u više kategorija."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Ispravite (prepišite) rezultat hostnameova ili"
#~ " maknite rezultate bazirane na hostname"

View file

@ -19,9 +19,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-21 08:18+0000\n"
"Last-Translator: Kran21 <Kran21@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Hungarian <https://translate.codeberg.org/projects/searxng/"
"searxng/hu/>\n"
"Language: hu\n"
@ -30,7 +30,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -317,6 +317,21 @@ msgstr "cím"
msgid "author"
msgstr "szerző"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Megnyitás"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Lezárt"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nincs találat"
@ -505,15 +520,17 @@ msgstr "A szöveget különböző hash értékekké alakítja."
msgid "hash digest"
msgstr "hash érték"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Kiszolgálónév cseréje"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Találatok kiszolgálónevének átírása, vagy a találatok eltávolítása gépnév"
" alapján"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -643,22 +660,22 @@ msgstr "Kapcsolatfelvétel a példány karbantartójával"
msgid "Click on the magnifier to perform search"
msgstr "A kereséshez kattintson a nagyítóra"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Hossz"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Szerző"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "tárolt"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxy nézet"
@ -1925,3 +1942,8 @@ msgstr "videó elrejtése"
#~ "Nincs megjeleníthető találat. Kérlek, hogy "
#~ "használj másik kifejezést vagy keress "
#~ "több kategóriában."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Találatok kiszolgálónevének átírása, vagy a"
#~ " találatok eltávolítása gépnév alapján"

View file

@ -9,7 +9,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2023-06-22 09:02+0000\n"
"Last-Translator: return42 <markus.heiser@darmarit.de>\n"
"Language: ia\n"
@ -19,7 +19,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -306,6 +306,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nulle item trovate"
@ -487,12 +502,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -616,22 +635,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr "Clicca sur le lupa pro exequer le recerca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr ""
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "in cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "per proxy"
@ -1873,3 +1892,6 @@ msgstr "occultar video"
#~ " usa altere consulta o recerca in "
#~ "plus categorias."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

View file

@ -7,14 +7,15 @@
# return42 <markus.heiser@darmarit.de>, 2023, 2024.
# bukutulis <bukutulis@users.noreply.translate.codeberg.org>, 2024.
# SilentWord <SilentWord@users.noreply.translate.codeberg.org>, 2024.
# Linerly <Linerly@users.noreply.translate.codeberg.org>, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-22 16:18+0000\n"
"Last-Translator: SilentWord <SilentWord@users.noreply.translate.codeberg.org>"
"\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Indonesian <https://translate.codeberg.org/projects/searxng/"
"searxng/id/>\n"
"Language: id\n"
@ -23,7 +24,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -178,7 +179,7 @@ msgstr "suhu ratarata."
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "Tutupan awan"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
@ -310,6 +311,21 @@ msgstr "judul"
msgid "author"
msgstr "penulis"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Buka"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Tertutup"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Item tidak ditemukan"
@ -489,7 +505,7 @@ msgstr "Kualitas berkas"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "Hitung ekspresi matematika melalui bilah pencarian"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -499,13 +515,17 @@ msgstr "Mengubah string menjadi hash digest yang berbeda."
msgid "hash digest"
msgstr "intisari hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Pengubah nama host"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Tulis ulang nama host hasil atau hapus hasil berdasarkan pada nama host"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -637,22 +657,22 @@ msgstr "Hubungi pengelola instansi"
msgid "Click on the magnifier to perform search"
msgstr "Tekan pada kaca pembesar untuk melakukan pencarian"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Durasi"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Penulis"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "tembolok"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proksi"
@ -1808,3 +1828,6 @@ msgstr "sembunyikan video"
#~ "kami tidak menemukan hasil apa pun. "
#~ "Mohon menggunakan pencarian lain atau "
#~ "cari dalam kategori lain."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Tulis ulang nama host hasil atau hapus hasil berdasarkan pada nama host"

View file

@ -25,12 +25,13 @@
# pietro395 <me@pietro.in>, 2024.
# feather1 <verdimario2015@gmail.com>, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# unoyoa <unoyoa@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 07:09+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Italian <https://translate.codeberg.org/projects/searxng/"
"searxng/it/>\n"
@ -39,8 +40,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -327,6 +328,21 @@ msgstr "titolo"
msgid "author"
msgstr "autore"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "aperto"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "chiuso"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "risposto"
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nessun oggetto trovato"
@ -506,7 +522,7 @@ msgstr "Qualità del file"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "Calcola espressioni matematiche nella barra di ricerca"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -516,15 +532,17 @@ msgstr "Converte le stringhe in diversi digest di hash."
msgid "hash digest"
msgstr "digest dell'hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Sostituzione del nome host"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Riscrivere gli hostname dei risultati o rimuovere i risultati in base "
"all'hostname"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -653,22 +671,22 @@ msgstr "Contatta il manutentore dell'istanza"
msgid "Click on the magnifier to perform search"
msgstr "Premi sull'icona della lente per avviare la ricerca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lunghezza"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autore"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "in cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxy"
@ -1950,3 +1968,9 @@ msgstr "nascondi video"
#~ "non abbiamo trovato alcun risultato. "
#~ "Prova una nuova ricerca, o cerca "
#~ "in più categorie."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Riscrivere gli hostname dei risultati o"
#~ " rimuovere i risultati in base "
#~ "all'hostname"

View file

@ -25,9 +25,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-10 07:09+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-11 21:30+0000\n"
"Last-Translator: tentsbet <tentsbet@users.noreply.translate.codeberg.org>\n"
"Language-Team: Japanese <https://translate.codeberg.org/projects/searxng/"
"searxng/ja/>\n"
"Language: ja\n"
@ -35,8 +35,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -323,6 +323,21 @@ msgstr "タイトル"
msgid "author"
msgstr "作"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "オープン"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "クローズ"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "回答"
#: searx/webapp.py:330
msgid "No item found"
msgstr "アイテムが見つかりません"
@ -506,13 +521,17 @@ msgstr "文字列を異なるハッシュダイジェストに変換。"
msgid "hash digest"
msgstr "ハッシュダイジェスト"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "ホストネーム入れ替え"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "結果のホスト名を書き換えるか、ホスト名に基づいて結果を削除します"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "ホスト名プラグイン"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr "検索結果からこのホスト名を基に削除もしくは優先的に書き換えを行う"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -631,22 +650,22 @@ msgstr "インスタンスメンテナと連絡を取る"
msgid "Click on the magnifier to perform search"
msgstr "虫めがねをクリックして検索します"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "長さ"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "作者"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "キャッシュ"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "プロキシ"
@ -1861,3 +1880,6 @@ msgstr "動画を隠す"
#~ "use another query or search in "
#~ "more categories."
#~ msgstr "検索結果はありませんでした。別のカテゴリ、または他のクエリで検索してください。"
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "結果のホスト名を書き換えるか、ホスト名に基づいて結果を削除します"

View file

@ -13,9 +13,9 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-17 06:18+0000\n"
"Last-Translator: eaglclaws <eaglclaws@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Korean <https://translate.codeberg.org/projects/searxng/"
"searxng/ko/>\n"
"Language: ko\n"
@ -24,7 +24,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -311,6 +311,21 @@ msgstr "제목"
msgid "author"
msgstr "작성자"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "열기"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "닫힘"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "검색 결과가 없습니다"
@ -498,13 +513,17 @@ msgstr "문자열을 다른 해시 다이제스트 값으로 변환합니다."
msgid "hash digest"
msgstr "해시 다이제스트"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "호스트 이름 변경"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "결과의 호스트 이름을 재작성하거나 호스트 이름에 따라 결과를 삭제합니다"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -625,22 +644,22 @@ msgstr "인스턴스 관리자에게 문의"
msgid "Click on the magnifier to perform search"
msgstr "돋보기를 클릭하여 검색을 시작하세요"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "길이"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "저자"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "캐시"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "프록시됨"
@ -1736,3 +1755,6 @@ msgstr "비디오 숨기기"
#~ "use another query or search in "
#~ "more categories."
#~ msgstr "검색결과를 찾을 수 없습니다. 다른 검색어로 검색하거나 검색 범주를 추가해주세요."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "결과의 호스트 이름을 재작성하거나 호스트 이름에 따라 결과를 삭제합니다"

View file

@ -13,8 +13,8 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-03-22 07:09+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-29 09:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"Language: lt\n"
@ -26,7 +26,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -76,7 +76,7 @@ msgstr "radijas"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "televizorius"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -176,7 +176,7 @@ msgstr "Apie"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "Vidutinė temperatura"
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
@ -201,7 +201,7 @@ msgstr "Vakaras"
#. WEATHER_TERMS['FEELS LIKE']
#: searx/searxng.msg
msgid "Feels like"
msgstr ""
msgstr "Jaučiasi kaip"
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
@ -211,12 +211,12 @@ msgstr ""
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "Aukščiausia temperatura"
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Mažiausia temperatura"
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -241,17 +241,17 @@ msgstr ""
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
msgid "Sunrise"
msgstr ""
msgstr "Saulėtekis"
#. WEATHER_TERMS['SUNSET']
#: searx/searxng.msg
msgid "Sunset"
msgstr ""
msgstr "Saulėlydis"
#. WEATHER_TERMS['TEMPERATURE']
#: searx/searxng.msg
msgid "Temperature"
msgstr ""
msgstr "Temperatura"
#. WEATHER_TERMS['UV INDEX']
#: searx/searxng.msg
@ -261,56 +261,71 @@ msgstr ""
#. WEATHER_TERMS['VISIBILITY']
#: searx/searxng.msg
msgid "Visibility"
msgstr ""
msgstr "Matomumas"
#. WEATHER_TERMS['WIND']
#: searx/searxng.msg
msgid "Wind"
msgstr ""
msgstr "Vėjas"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "Prenumeratoriai"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
msgid "posts"
msgstr ""
msgstr "Įrašai"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "Aktyvus naudotojai"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "Komentarai"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "Naudotojai"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "Bendruomene"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
msgid "points"
msgstr ""
msgstr "Taškai"
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "Pavadinimas"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr "Autorius"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
@ -501,15 +516,17 @@ msgstr "Konvertuoja eilutes į skirtingas maišos santraukas."
msgid "hash digest"
msgstr "maišos santrauka"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Kompiuterio pavadinimo pakeitimas"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Perašyti kompiuterio pavadinimo rezultatus arba ištrinti rezultatus pagal"
" kompiuterio pavadinimą"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -637,22 +654,22 @@ msgstr "Susisiekite su instancijos prižiūrėtoju"
msgid "Click on the magnifier to perform search"
msgstr "Norėdami atlikti paiešką, spustelėkite ant didinamojo stiklo"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Trukmė"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autorius"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "patalpinta"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "persiustas"
@ -1024,7 +1041,7 @@ msgstr ""
#: searx/templates/simple/messages/no_results.html:25
msgid "Go back to the previous page using the previous page button."
msgstr ""
msgstr "Grišti į praeita puslapi naudojant praeito puslapio mygutką."
#: searx/templates/simple/preferences/answerers.html:4
#: searx/templates/simple/preferences/engines.html:23
@ -1145,15 +1162,15 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "Aktyvuoti viska"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "Išjungti viska"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
msgstr ""
msgstr "!pokšt"
#: searx/templates/simple/preferences/engines.html:26
msgid "Supports selected language"
@ -1161,7 +1178,7 @@ msgstr "Palaiko pasirinktą kalbą"
#: searx/templates/simple/preferences/engines.html:29
msgid "Weight"
msgstr ""
msgstr "Svoris"
#: searx/templates/simple/preferences/engines.html:33
msgid "Max time"
@ -1197,7 +1214,7 @@ msgstr "Atgal"
#: searx/templates/simple/preferences/hotkeys.html:2
msgid "Hotkeys"
msgstr ""
msgstr "Karštieji mygtukai"
#: searx/templates/simple/preferences/hotkeys.html:13
msgid "Vim-like"
@ -1405,7 +1422,7 @@ msgstr ""
#: searx/templates/simple/result_templates/packages.html:24
msgid "Updated at"
msgstr ""
msgstr "Atnaujinta"
#: searx/templates/simple/result_templates/packages.html:30
#: searx/templates/simple/result_templates/paper.html:25
@ -1414,7 +1431,7 @@ msgstr ""
#: searx/templates/simple/result_templates/packages.html:36
msgid "Popularity"
msgstr ""
msgstr "Pupuliarumas"
#: searx/templates/simple/result_templates/packages.html:42
msgid "License"
@ -1422,7 +1439,7 @@ msgstr "Licenzija"
#: searx/templates/simple/result_templates/packages.html:52
msgid "Project"
msgstr ""
msgstr "Projektas"
#: searx/templates/simple/result_templates/packages.html:55
msgid "Project homepage"
@ -1897,3 +1914,9 @@ msgstr "slėpti vaizdo įrašą"
#~ "kitokią užklausą arba ieškokite kitose "
#~ "kategorijose."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Perašyti kompiuterio pavadinimo rezultatus "
#~ "arba ištrinti rezultatus pagal kompiuterio "
#~ "pavadinimą"

View file

@ -12,19 +12,19 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-23 21:19+0000\n"
"Last-Translator: Obligate <Obligate@users.noreply.translate.codeberg.org>\n"
"Language-Team: Latvian <https://translate.codeberg.org/projects/searxng/"
"searxng/lv/>\n"
"Last-Translator: Obligate <Obligate@users.noreply.translate.codeberg.org>"
"\n"
"Language: lv\n"
"Language-Team: Latvian "
"<https://translate.codeberg.org/projects/searxng/searxng/lv/>\n"
"Plural-Forms: nplurals=3; plural=(n % 10 == 0 || n % 100 >= 11 && n % 100"
" <= 19) ? 0 : ((n % 10 == 1 && n % 100 != 11) ? 1 : 2);\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=3; plural=(n % 10 == 0 || n % 100 >= 11 && n % 100 <= "
"19) ? 0 : ((n % 10 == 1 && n % 100 != 11) ? 1 : 2);\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -311,6 +311,21 @@ msgstr "virsraksts"
msgid "author"
msgstr "autors"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nav atrasts neviens vienums"
@ -499,15 +514,17 @@ msgstr "Pārvērš virknes (strings) par dažādiem jaucējkoda īssavilkumiem."
msgid "hash digest"
msgstr "jaucējkoda sašķelšana"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Resursdatora vārda nomaiņa"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Pārrakstīt rezultātu saimniekvārdus vai noņemt rezultātus, pamatojoties "
"uz saimniekvārdu"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -630,22 +647,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr "Noklikšķiniet uz lupas, lai veiktu meklēšanu"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Garums"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autors"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""
@ -1630,3 +1647,9 @@ msgstr "slēpt video"
#~ "use another query or search in "
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Pārrakstīt rezultātu saimniekvārdus vai noņemt"
#~ " rezultātus, pamatojoties uz saimniekvārdu"

View file

@ -8,14 +8,14 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -302,6 +302,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr ""
@ -483,12 +498,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -608,22 +627,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr ""
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr ""
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""

View file

@ -14,7 +14,7 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-03-12 17:28+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
@ -25,7 +25,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -312,6 +312,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "barang tidak dijumpai"
@ -496,13 +511,17 @@ msgstr "Ubah rentetan kepada \"hash digest\" yang berbeza."
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Gantikan nama hos"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Buat semula keputusan nama hos atau buang keputusan berdasarkan nama hos"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -629,22 +648,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr ""
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Panjang"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Penulis"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "dicache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""
@ -1615,3 +1634,8 @@ msgstr "sembunyikkan video"
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Buat semula keputusan nama hos atau "
#~ "buang keputusan berdasarkan nama hos"

View file

@ -13,7 +13,7 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-04-07 07:18+0000\n"
"Last-Translator: omfj <omfj@users.noreply.translate.codeberg.org>\n"
"Language: nb_NO\n"
@ -23,7 +23,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -310,6 +310,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Fant ingen elementer"
@ -498,13 +513,17 @@ msgstr "Konverterer strenger til andre sjekksumsføljetonger."
msgid "hash digest"
msgstr "sjekksumsføljetong"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Vertsnavnserstatning"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Skriv om vertsnavn eller fjern resultater basert på vertsnavn"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -634,22 +653,22 @@ msgstr "Kontakt tilbyderen av instansen"
msgid "Click on the magnifier to perform search"
msgstr "Klikk på forstørrelsesglasset for å søke"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lengde"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Opphavsmann"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "hurtiglagret"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "mellomtjent"
@ -1825,3 +1844,6 @@ msgstr "skjul video"
#~ "more categories."
#~ msgstr "fant ingen resultater. Søk etter noe annet, eller i flere kategorier."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Skriv om vertsnavn eller fjern resultater basert på vertsnavn"

View file

@ -18,21 +18,24 @@
# return42 <markus.heiser@darmarit.de>, 2023, 2024.
# microsoftocsharp <kottiberyu@gmail.com>, 2023.
# marcelStangenberger <codeberg@xo.nl>, 2024.
# yannickmaes <yannickmaes@users.noreply.translate.codeberg.org>, 2024.
# MVDW-Java <MVDW-Java@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-03-02 14:36+0000\n"
"Last-Translator: marcelStangenberger <codeberg@xo.nl>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-12 12:24+0000\n"
"Last-Translator: MVDW-Java <MVDW-Java@users.noreply.translate.codeberg.org>\n"
"Language-Team: Dutch <https://translate.codeberg.org/projects/searxng/"
"searxng/nl/>\n"
"Language: nl\n"
"Language-Team: Dutch "
"<https://translate.codeberg.org/projects/searxng/searxng/nl/>\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -82,7 +85,7 @@ msgstr "radio"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "televisie"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -182,22 +185,22 @@ msgstr "Over"
#. WEATHER_TERMS['AVERAGE TEMP.']
#: searx/searxng.msg
msgid "Average temp."
msgstr ""
msgstr "Gemiddelde temp."
#. WEATHER_TERMS['CLOUD COVER']
#: searx/searxng.msg
msgid "Cloud cover"
msgstr ""
msgstr "Bewolking"
#. WEATHER_TERMS['CONDITION']
#: searx/searxng.msg
msgid "Condition"
msgstr ""
msgstr "Omstandigheden"
#. WEATHER_TERMS['CURRENT CONDITION']
#: searx/searxng.msg
msgid "Current condition"
msgstr ""
msgstr "Huidige weersomstandigheden"
#. WEATHER_TERMS['EVENING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -207,22 +210,22 @@ msgstr "avond"
#. WEATHER_TERMS['FEELS LIKE']
#: searx/searxng.msg
msgid "Feels like"
msgstr ""
msgstr "Voelt als"
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
msgid "Humidity"
msgstr ""
msgstr "Luchtvochtigheid"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "Max temp."
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Min temp."
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -242,82 +245,97 @@ msgstr "'s middags"
#. WEATHER_TERMS['PRESSURE']
#: searx/searxng.msg
msgid "Pressure"
msgstr ""
msgstr "Luchtdruk"
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
msgid "Sunrise"
msgstr ""
msgstr "Zonsopkomst"
#. WEATHER_TERMS['SUNSET']
#: searx/searxng.msg
msgid "Sunset"
msgstr ""
msgstr "Zonsondergang"
#. WEATHER_TERMS['TEMPERATURE']
#: searx/searxng.msg
msgid "Temperature"
msgstr ""
msgstr "Temperatuur"
#. WEATHER_TERMS['UV INDEX']
#: searx/searxng.msg
msgid "UV index"
msgstr ""
msgstr "UV-index"
#. WEATHER_TERMS['VISIBILITY']
#: searx/searxng.msg
msgid "Visibility"
msgstr ""
msgstr "Zichtbaarheid"
#. WEATHER_TERMS['WIND']
#: searx/searxng.msg
msgid "Wind"
msgstr ""
msgstr "Wind"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "abonnees"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
msgid "posts"
msgstr ""
msgstr "posten"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "actieve gebruikers"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "reacties"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "gebruikers"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "gemeenschap"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
msgid "points"
msgstr ""
msgstr "punten"
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "titel"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr ""
msgstr "auteur"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "open"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "gesloten"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "beantwoord"
#: searx/webapp.py:330
msgid "No item found"
@ -498,7 +516,7 @@ msgstr "bestandskwaliteit"
#: searx/plugins/calculator.py:12
msgid "Calculate mathematical expressions via the search bar"
msgstr ""
msgstr "Bereken wiskundige uitdrukkingen via de zoekbalk"
#: searx/plugins/hash_plugin.py:10
msgid "Converts strings to different hash digests."
@ -508,15 +526,19 @@ msgstr "Zet tekstwaarden om naar verschillende hash digests."
msgid "hash digest"
msgstr "hash digest"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Servernaam vervangen"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "Hostnamen plug-in"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Pas resulterende servernamen aan of verwijder resultaten op basis van de "
"servernaam"
"Herschrijf hostnamen, verwijder resultaten of geef prioriteit aan ze op "
"basis van de hostnaam"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -585,7 +607,7 @@ msgstr "Verwijdert trackerargumenten van de gekregen URL"
#: searx/plugins/unit_converter.py:29
msgid "Convert between units"
msgstr ""
msgstr "Converteren tussen eenheden"
#: searx/templates/simple/404.html:4
msgid "Page not found"
@ -646,22 +668,22 @@ msgstr "Neem contact op met beheerder instantie"
msgid "Click on the magnifier to perform search"
msgstr "Klik op het vergrootglas om te zoeken"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lengte"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Auteur"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "gecachet"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "geproxyt"
@ -1160,11 +1182,11 @@ msgstr ""
#: searx/templates/simple/preferences/engines.html:15
msgid "Enable all"
msgstr ""
msgstr "Schakel alles in"
#: searx/templates/simple/preferences/engines.html:16
msgid "Disable all"
msgstr ""
msgstr "Schakel alles uit"
#: searx/templates/simple/preferences/engines.html:25
msgid "!bang"
@ -1941,3 +1963,8 @@ msgstr "verberg video"
#~ "Probeer een andere zoekopdracht, of zoek"
#~ " in meer categorieën."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Pas resulterende servernamen aan of "
#~ "verwijder resultaten op basis van de "
#~ "servernaam"

View file

@ -12,7 +12,7 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-03-12 17:28+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
@ -23,7 +23,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -310,6 +310,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Cap delement pas trobat"
@ -493,12 +508,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Remplaçar los noms dòste"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -622,22 +641,22 @@ msgstr "Contactar lo responsable de linstància"
msgid "Click on the magnifier to perform search"
msgstr "Clicatz sus la lópia per lançar una recèrca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Longor"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "en version locala"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "proxifiat"
@ -1875,3 +1894,6 @@ msgstr "escondre la vidèo"
#~ "Mercés d'utilizar une autre mot clau "
#~ "o de cercar dins autras categorias."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

View file

@ -20,9 +20,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-15 21:18+0000\n"
"Last-Translator: dkuku <dkuku@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Polish <https://translate.codeberg.org/projects/searxng/"
"searxng/pl/>\n"
"Language: pl\n"
@ -33,7 +33,7 @@ msgstr ""
"n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && "
"n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -320,6 +320,21 @@ msgstr "tytuł"
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Otwórz"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Zamknięty"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nie znaleziono elementu"
@ -508,13 +523,17 @@ msgstr "Konwertuje tekst na różne skróty hash."
msgid "hash digest"
msgstr "wartość hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Zastąp nazwę hosta"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Przepisz nazwy hostów w wynikach lub usuń wyniki na podstawie nazw hostów"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -644,22 +663,22 @@ msgstr "Skontaktuj się z właścicielem instancji"
msgid "Click on the magnifier to perform search"
msgstr "Kliknij na szkło powiększające, aby wykonać wyszukiwanie"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Długość"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "buforowane"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "przesłane poprzez proxy"
@ -1929,3 +1948,8 @@ msgstr "ukryj wideo"
#~ "nie znaleźliśmy żadnych wyników. Użyj "
#~ "innego zapytania lub wyszukaj więcej "
#~ "kategorii."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Przepisz nazwy hostów w wynikach lub "
#~ "usuń wyniki na podstawie nazw hostów"

View file

@ -15,22 +15,23 @@
# Coccocoas_Helper <coccocoahelper@gmail.com>, 2023.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# lspepinho <lspepinho@users.noreply.translate.codeberg.org>, 2024.
# diodio <diodio@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-03 07:09+0000\n"
"Last-Translator: lspepinho "
"<lspepinho@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: diodio <diodio@users.noreply.translate.codeberg.org>\n"
"Language-Team: Portuguese <https://translate.codeberg.org/projects/searxng/"
"searxng/pt/>\n"
"Language: pt\n"
"Language-Team: Portuguese "
"<https://translate.codeberg.org/projects/searxng/searxng/pt/>\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -210,17 +211,17 @@ msgstr ""
#. WEATHER_TERMS['HUMIDITY']
#: searx/searxng.msg
msgid "Humidity"
msgstr ""
msgstr "Humidade"
#. WEATHER_TERMS['MAX TEMP.']
#: searx/searxng.msg
msgid "Max temp."
msgstr ""
msgstr "Temperatura máxima"
#. WEATHER_TERMS['MIN TEMP.']
#: searx/searxng.msg
msgid "Min temp."
msgstr ""
msgstr "Temperatura mínima"
#. WEATHER_TERMS['MORNING']
#: searx/engines/wttr.py:100 searx/searxng.msg
@ -245,17 +246,17 @@ msgstr ""
#. WEATHER_TERMS['SUNRISE']
#: searx/searxng.msg
msgid "Sunrise"
msgstr ""
msgstr "Nascer do sol"
#. WEATHER_TERMS['SUNSET']
#: searx/searxng.msg
msgid "Sunset"
msgstr ""
msgstr "Pôr do sol"
#. WEATHER_TERMS['TEMPERATURE']
#: searx/searxng.msg
msgid "Temperature"
msgstr ""
msgstr "Temperatura"
#. WEATHER_TERMS['UV INDEX']
#: searx/searxng.msg
@ -265,17 +266,17 @@ msgstr ""
#. WEATHER_TERMS['VISIBILITY']
#: searx/searxng.msg
msgid "Visibility"
msgstr ""
msgstr "Visibilidade"
#. WEATHER_TERMS['WIND']
#: searx/searxng.msg
msgid "Wind"
msgstr ""
msgstr "Vento"
#. SOCIAL_MEDIA_TERMS['SUBSCRIBERS']
#: searx/searxng.msg
msgid "subscribers"
msgstr ""
msgstr "Subscritores"
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
@ -285,36 +286,51 @@ msgstr ""
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
msgid "active users"
msgstr ""
msgstr "utilizadores átivos"
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "comentadores"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "utilizador"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "comunidade"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
msgid "points"
msgstr ""
msgstr "pontos"
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "título"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "aberta"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "fechada"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
@ -505,15 +521,17 @@ msgstr "Converte strings em diferentes resumos de hash."
msgid "hash digest"
msgstr "resumo de hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Substituição do nome do host"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Reescrever os nomes de host dos resultados ou remover os resultados com "
"base no nome do host"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -643,22 +661,22 @@ msgstr "Contate o mantenedor da instância"
msgid "Click on the magnifier to perform search"
msgstr "Clique na lupa para realizar a pesquisa"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Comprimento"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "armazenados em cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "via proxy"
@ -1938,3 +1956,8 @@ msgstr "esconder vídeo"
#~ "favor pesquise outra coisa ou utilize"
#~ " mais categorias na sua pesquisa."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Reescrever os nomes de host dos "
#~ "resultados ou remover os resultados com"
#~ " base no nome do host"

View file

@ -32,9 +32,9 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-11 09:18+0000\n"
"Last-Translator: Pyrbor <Pyrbor@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-08 13:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>\n"
"Language-Team: Portuguese (Brazil) <https://translate.codeberg.org/projects/"
"searxng/searxng/pt_BR/>\n"
"Language: pt_BR\n"
@ -42,8 +42,8 @@ msgstr ""
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n > 1;\n"
"X-Generator: Weblate 5.5.2\n"
"Generated-By: Babel 2.14.0\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -330,6 +330,21 @@ msgstr "título"
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Abrir"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Fechado"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "Nenhum item encontrado"
@ -519,13 +534,17 @@ msgstr "Converte as sequências em diferentes resultados de hash."
msgid "hash digest"
msgstr "resultado de hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Substituir host"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Sobreescreve hosts dos resultados ou remove resultados baseado no host"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -655,22 +674,22 @@ msgstr "Contatar o responsável da instância"
msgid "Click on the magnifier to perform search"
msgstr "Clique na lupa para realizar a busca"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Duração"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "em cache"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "por proxy"
@ -1958,3 +1977,6 @@ msgstr "ocultar vídeo"
#~ "Não encontramos nenhum resultado. Utilize "
#~ "outra consulta ou pesquisa em mais "
#~ "categorias."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Sobreescreve hosts dos resultados ou remove resultados baseado no host"

View file

@ -18,8 +18,8 @@ msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-04-18 13:18+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-05-29 09:18+0000\n"
"Last-Translator: return42 <return42@users.noreply.translate.codeberg.org>"
"\n"
"Language: ro\n"
@ -30,7 +30,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -80,7 +80,7 @@ msgstr "radio"
#. CATEGORY_NAMES['TV']
#: searx/searxng.msg
msgid "tv"
msgstr ""
msgstr "tv"
#. CATEGORY_NAMES['IT']
#: searx/searxng.msg
@ -105,7 +105,7 @@ msgstr "cepe"
#. CATEGORY_NAMES['SCIENCE']
#: searx/searxng.msg
msgid "science"
msgstr "ștință"
msgstr "știință"
#. CATEGORY_GROUPS['APPS']
#: searx/searxng.msg
@ -280,7 +280,7 @@ msgstr ""
#. SOCIAL_MEDIA_TERMS['POSTS']
#: searx/searxng.msg
msgid "posts"
msgstr ""
msgstr "Postări"
#. SOCIAL_MEDIA_TERMS['ACTIVE USERS']
#: searx/searxng.msg
@ -290,17 +290,17 @@ msgstr ""
#. SOCIAL_MEDIA_TERMS['COMMENTS']
#: searx/searxng.msg
msgid "comments"
msgstr ""
msgstr "Comentarii"
#. SOCIAL_MEDIA_TERMS['USER']
#: searx/searxng.msg
msgid "user"
msgstr ""
msgstr "utilizator"
#. SOCIAL_MEDIA_TERMS['COMMUNITY']
#: searx/searxng.msg
msgid "community"
msgstr ""
msgstr "comunitate"
#. SOCIAL_MEDIA_TERMS['POINTS']
#: searx/searxng.msg
@ -310,11 +310,26 @@ msgstr ""
#. SOCIAL_MEDIA_TERMS['TITLE']
#: searx/searxng.msg
msgid "title"
msgstr ""
msgstr "Titlu"
#. SOCIAL_MEDIA_TERMS['AUTHOR']
#: searx/searxng.msg
msgid "author"
msgstr "autor"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
@ -505,13 +520,17 @@ msgstr "Convertește șirurile în diferite rezumate hash."
msgid "hash digest"
msgstr "rezumat hash"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Schimbă hostname-ul"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Rescrie hostname-urile rezultate sau șterge rezultatele bazate pe hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -639,22 +658,22 @@ msgstr "Contactați întreținătorul instanței"
msgid "Click on the magnifier to perform search"
msgstr "Apăsați pe lupă pentru a executa căutarea"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Lungime"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Autor"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "stocat temporar"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "delegat"
@ -1937,3 +1956,8 @@ msgstr "ascunde video"
#~ " o altă interogare sau căutați în "
#~ "mai multe categorii."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""
#~ "Rescrie hostname-urile rezultate sau "
#~ "șterge rezultatele bazate pe hostname"

View file

@ -20,13 +20,14 @@
# mittwerk <w0o0y8jt@duck.com>, 2023.
# 0ko <0ko@users.noreply.translate.codeberg.org>, 2024.
# return42 <return42@users.noreply.translate.codeberg.org>, 2024.
# Xvnov <Xvnov@users.noreply.translate.codeberg.org>, 2024.
msgid ""
msgstr ""
"Project-Id-Version: searx\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"PO-Revision-Date: 2024-05-17 06:18+0000\n"
"Last-Translator: 0ko <0ko@users.noreply.translate.codeberg.org>\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2024-06-14 07:08+0000\n"
"Last-Translator: Xvnov <Xvnov@users.noreply.translate.codeberg.org>\n"
"Language-Team: Russian <https://translate.codeberg.org/projects/searxng/"
"searxng/ru/>\n"
"Language: ru\n"
@ -37,7 +38,7 @@ msgstr ""
"n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || ("
"n%100>=11 && n%100<=14)? 2 : 3);\n"
"X-Generator: Weblate 5.5.5\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -324,6 +325,21 @@ msgstr "название"
msgid "author"
msgstr "автор"
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr "Открыть"
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr "Закрыто"
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr "ответил"
#: searx/webapp.py:330
msgid "No item found"
msgstr "Ничего не найдено"
@ -359,7 +375,7 @@ msgstr "ошибка разбора"
#: searx/webutils.py:38
msgid "HTTP protocol error"
msgstr "ошибка HTTP"
msgstr "Ошибка протокола HTTP"
#: searx/webutils.py:39
msgid "network error"
@ -512,13 +528,19 @@ msgstr "Рассчитывает контрольные суммы от стро
msgid "hash digest"
msgstr "контрольная сумма"
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr "Замена имени сайта"
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
msgstr "Заменить имя хоста или удалить результаты на основе имени хоста"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr "Плагин имени хостов"
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
"Перепишите имена хостов, удалите результаты или расставьте приоритеты в "
"зависимости от имени хоста"
#: searx/plugins/oa_doi_rewrite.py:12
msgid "Open Access DOI rewrite"
@ -646,22 +668,22 @@ msgstr "Сопровождающий текущего зеркала"
msgid "Click on the magnifier to perform search"
msgstr "Нажмите на лупу, чтобы выполнить поиск"
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "Длительность"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "Автор"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr "веб-архив"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr "через прокси"
@ -1936,3 +1958,6 @@ msgstr "скрыть видео"
#~ "мы не нашли никаких результатов. "
#~ "Попробуйте изменить запрос или поищите в"
#~ " других категориях."
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr "Заменить имя хоста или удалить результаты на основе имени хоста"

View file

@ -9,7 +9,7 @@ msgid ""
msgstr ""
"Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-05-09 15:27+0000\n"
"POT-Creation-Date: 2024-06-07 12:50+0000\n"
"PO-Revision-Date: 2023-11-23 06:13+0000\n"
"Last-Translator: return42 <markus.heiser@darmarit.de>\n"
"Language: si\n"
@ -19,7 +19,7 @@ msgstr ""
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Generated-By: Babel 2.14.0\n"
"Generated-By: Babel 2.15.0\n"
#. CONSTANT_NAMES['NO_SUBGROUPING']
#: searx/searxng.msg
@ -306,6 +306,21 @@ msgstr ""
msgid "author"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD OPEN']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "open"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD CLOSED']
#: searx/engines/discourse.py:121 searx/searxng.msg
msgid "closed"
msgstr ""
#. SOCIAL_MEDIA_TERMS['THREAD ANSWERED']
#: searx/engines/discourse.py:132 searx/searxng.msg
msgid "answered"
msgstr ""
#: searx/webapp.py:330
msgid "No item found"
msgstr "අයිතමයක් හමු නොවීය"
@ -487,12 +502,16 @@ msgstr ""
msgid "hash digest"
msgstr ""
#: searx/plugins/hostname_replace.py:12
#: searx/plugins/hostname_replace.py:7
msgid "Hostname replace"
msgstr ""
#: searx/plugins/hostname_replace.py:13
msgid "Rewrite result hostnames or remove results based on the hostname"
#: searx/plugins/hostnames.py:68
msgid "Hostnames plugin"
msgstr ""
#: searx/plugins/hostnames.py:69
msgid "Rewrite hostnames, remove results or prioritize them based on the hostname"
msgstr ""
#: searx/plugins/oa_doi_rewrite.py:12
@ -612,22 +631,22 @@ msgstr ""
msgid "Click on the magnifier to perform search"
msgstr ""
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/macros.html:35
msgid "Length"
msgstr "දිග"
#: searx/templates/simple/macros.html:37
#: searx/templates/simple/macros.html:36
#: searx/templates/simple/result_templates/files.html:34
#: searx/templates/simple/result_templates/images.html:19
#: searx/templates/simple/result_templates/paper.html:6
msgid "Author"
msgstr "කතුවරයා"
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "cached"
msgstr ""
#: searx/templates/simple/macros.html:45
#: searx/templates/simple/macros.html:44
msgid "proxied"
msgstr ""
@ -1571,3 +1590,6 @@ msgstr ""
#~ "more categories."
#~ msgstr ""
#~ msgid "Rewrite result hostnames or remove results based on the hostname"
#~ msgstr ""

Some files were not shown because too many files have changed in this diff Show more