From eeb00a5ca24e375506c3fe0913b5038fbfe93d87 Mon Sep 17 00:00:00 2001 From: Timothy Jaeryang Baek Date: Thu, 20 Feb 2025 01:01:29 -0800 Subject: [PATCH] chore: format --- backend/open_webui/retrieval/web/utils.py | 68 +- backend/open_webui/routers/audio.py | 18 +- backend/open_webui/routers/auths.py | 2 +- backend/open_webui/routers/ollama.py | 8 +- backend/open_webui/utils/oauth.py | 25 +- backend/open_webui/utils/payload.py | 16 +- backend/open_webui/utils/response.py | 18 +- scripts/prepare-pyodide.js | 2 +- .../Messages/Markdown/MarkdownTokens.svelte | 7 +- .../components/common/FileItemModal.svelte | 10 +- src/lib/components/common/Modal.svelte | 4 +- src/lib/i18n/locales/ar-BH/translation.json | 6 + src/lib/i18n/locales/bg-BG/translation.json | 2290 +++++++++-------- src/lib/i18n/locales/bn-BD/translation.json | 6 + src/lib/i18n/locales/ca-ES/translation.json | 6 + src/lib/i18n/locales/ceb-PH/translation.json | 6 + src/lib/i18n/locales/cs-CZ/translation.json | 6 + src/lib/i18n/locales/da-DK/translation.json | 6 + src/lib/i18n/locales/de-DE/translation.json | 6 + src/lib/i18n/locales/dg-DG/translation.json | 6 + src/lib/i18n/locales/el-GR/translation.json | 6 + src/lib/i18n/locales/en-GB/translation.json | 6 + src/lib/i18n/locales/en-US/translation.json | 6 + src/lib/i18n/locales/es-ES/translation.json | 6 + src/lib/i18n/locales/eu-ES/translation.json | 6 + src/lib/i18n/locales/fa-IR/translation.json | 6 + src/lib/i18n/locales/fi-FI/translation.json | 6 + src/lib/i18n/locales/fr-CA/translation.json | 6 + src/lib/i18n/locales/fr-FR/translation.json | 6 + src/lib/i18n/locales/he-IL/translation.json | 6 + src/lib/i18n/locales/hi-IN/translation.json | 6 + src/lib/i18n/locales/hr-HR/translation.json | 6 + src/lib/i18n/locales/hu-HU/translation.json | 6 + src/lib/i18n/locales/id-ID/translation.json | 6 + src/lib/i18n/locales/ie-GA/translation.json | 6 + src/lib/i18n/locales/it-IT/translation.json | 6 + src/lib/i18n/locales/ja-JP/translation.json | 6 + src/lib/i18n/locales/ka-GE/translation.json | 6 + src/lib/i18n/locales/ko-KR/translation.json | 6 + src/lib/i18n/locales/lt-LT/translation.json | 6 + src/lib/i18n/locales/ms-MY/translation.json | 6 + src/lib/i18n/locales/nb-NO/translation.json | 6 + src/lib/i18n/locales/nl-NL/translation.json | 6 + src/lib/i18n/locales/pa-IN/translation.json | 6 + src/lib/i18n/locales/pl-PL/translation.json | 8 +- src/lib/i18n/locales/pt-BR/translation.json | 6 + src/lib/i18n/locales/pt-PT/translation.json | 6 + src/lib/i18n/locales/ro-RO/translation.json | 6 + src/lib/i18n/locales/ru-RU/translation.json | 6 + src/lib/i18n/locales/sk-SK/translation.json | 6 + src/lib/i18n/locales/sr-RS/translation.json | 6 + src/lib/i18n/locales/sv-SE/translation.json | 6 + src/lib/i18n/locales/th-TH/translation.json | 6 + src/lib/i18n/locales/tk-TW/translation.json | 6 + src/lib/i18n/locales/tr-TR/translation.json | 6 + src/lib/i18n/locales/uk-UA/translation.json | 6 + src/lib/i18n/locales/ur-PK/translation.json | 6 + src/lib/i18n/locales/vi-VN/translation.json | 6 + src/lib/i18n/locales/zh-CN/translation.json | 6 + src/lib/i18n/locales/zh-TW/translation.json | 6 + 60 files changed, 1548 insertions(+), 1210 deletions(-) diff --git a/backend/open_webui/retrieval/web/utils.py b/backend/open_webui/retrieval/web/utils.py index 592564771..fd94a1a32 100644 --- a/backend/open_webui/retrieval/web/utils.py +++ b/backend/open_webui/retrieval/web/utils.py @@ -15,15 +15,12 @@ from typing import ( Optional, Sequence, Union, - Literal + Literal, ) import aiohttp import certifi import validators -from langchain_community.document_loaders import ( - PlaywrightURLLoader, - WebBaseLoader -) +from langchain_community.document_loaders import PlaywrightURLLoader, WebBaseLoader from langchain_community.document_loaders.firecrawl import FireCrawlLoader from langchain_community.document_loaders.base import BaseLoader from langchain_core.documents import Document @@ -33,7 +30,7 @@ from open_webui.config import ( PLAYWRIGHT_WS_URI, RAG_WEB_LOADER_ENGINE, FIRECRAWL_API_BASE_URL, - FIRECRAWL_API_KEY + FIRECRAWL_API_KEY, ) from open_webui.env import SRC_LOG_LEVELS @@ -75,6 +72,7 @@ def safe_validate_urls(url: Sequence[str]) -> Sequence[str]: continue return valid_urls + def resolve_hostname(hostname): # Get address information addr_info = socket.getaddrinfo(hostname, None) @@ -85,16 +83,13 @@ def resolve_hostname(hostname): return ipv4_addresses, ipv6_addresses + def extract_metadata(soup, url): - metadata = { - "source": url - } + metadata = {"source": url} if title := soup.find("title"): metadata["title"] = title.get_text() if description := soup.find("meta", attrs={"name": "description"}): - metadata["description"] = description.get( - "content", "No description found." - ) + metadata["description"] = description.get("content", "No description found.") if html := soup.find("html"): metadata["language"] = html.get("lang", "No language found.") return metadata @@ -104,7 +99,7 @@ def verify_ssl_cert(url: str) -> bool: """Verify SSL certificate for the given URL.""" if not url.startswith("https://"): return True - + try: hostname = url.split("://")[-1].split("/")[0] context = ssl.create_default_context(cafile=certifi.where()) @@ -133,7 +128,7 @@ class SafeFireCrawlLoader(BaseLoader): params: Optional[Dict] = None, ): """Concurrent document loader for FireCrawl operations. - + Executes multiple FireCrawlLoader instances concurrently using thread pooling to improve bulk processing efficiency. Args: @@ -142,7 +137,7 @@ class SafeFireCrawlLoader(BaseLoader): trust_env: If True, use proxy settings from environment variables. requests_per_second: Number of requests per second to limit to. continue_on_failure (bool): If True, continue loading other URLs on failure. - api_key: API key for FireCrawl service. Defaults to None + api_key: API key for FireCrawl service. Defaults to None (uses FIRE_CRAWL_API_KEY environment variable if not provided). api_url: Base URL for FireCrawl API. Defaults to official API endpoint. mode: Operation mode selection: @@ -154,15 +149,15 @@ class SafeFireCrawlLoader(BaseLoader): Examples include crawlerOptions. For more details, visit: https://github.com/mendableai/firecrawl-py """ - proxy_server = proxy.get('server') if proxy else None + proxy_server = proxy.get("server") if proxy else None if trust_env and not proxy_server: env_proxies = urllib.request.getproxies() - env_proxy_server = env_proxies.get('https') or env_proxies.get('http') + env_proxy_server = env_proxies.get("https") or env_proxies.get("http") if env_proxy_server: if proxy: - proxy['server'] = env_proxy_server + proxy["server"] = env_proxy_server else: - proxy = { 'server': env_proxy_server } + proxy = {"server": env_proxy_server} self.web_paths = web_paths self.verify_ssl = verify_ssl self.requests_per_second = requests_per_second @@ -184,7 +179,7 @@ class SafeFireCrawlLoader(BaseLoader): api_key=self.api_key, api_url=self.api_url, mode=self.mode, - params=self.params + params=self.params, ) yield from loader.lazy_load() except Exception as e: @@ -203,7 +198,7 @@ class SafeFireCrawlLoader(BaseLoader): api_key=self.api_key, api_url=self.api_url, mode=self.mode, - params=self.params + params=self.params, ) async for document in loader.alazy_load(): yield document @@ -251,7 +246,7 @@ class SafeFireCrawlLoader(BaseLoader): class SafePlaywrightURLLoader(PlaywrightURLLoader): """Load HTML pages safely with Playwright, supporting SSL verification, rate limiting, and remote browser connection. - + Attributes: web_paths (List[str]): List of URLs to load. verify_ssl (bool): If True, verify SSL certificates. @@ -273,19 +268,19 @@ class SafePlaywrightURLLoader(PlaywrightURLLoader): headless: bool = True, remove_selectors: Optional[List[str]] = None, proxy: Optional[Dict[str, str]] = None, - playwright_ws_url: Optional[str] = None + playwright_ws_url: Optional[str] = None, ): """Initialize with additional safety parameters and remote browser support.""" - proxy_server = proxy.get('server') if proxy else None + proxy_server = proxy.get("server") if proxy else None if trust_env and not proxy_server: env_proxies = urllib.request.getproxies() - env_proxy_server = env_proxies.get('https') or env_proxies.get('http') + env_proxy_server = env_proxies.get("https") or env_proxies.get("http") if env_proxy_server: if proxy: - proxy['server'] = env_proxy_server + proxy["server"] = env_proxy_server else: - proxy = { 'server': env_proxy_server } + proxy = {"server": env_proxy_server} # We'll set headless to False if using playwright_ws_url since it's handled by the remote browser super().__init__( @@ -293,7 +288,7 @@ class SafePlaywrightURLLoader(PlaywrightURLLoader): continue_on_failure=continue_on_failure, headless=headless if playwright_ws_url is None else False, remove_selectors=remove_selectors, - proxy=proxy + proxy=proxy, ) self.verify_ssl = verify_ssl self.requests_per_second = requests_per_second @@ -339,7 +334,9 @@ class SafePlaywrightURLLoader(PlaywrightURLLoader): if self.playwright_ws_url: browser = await p.chromium.connect(self.playwright_ws_url) else: - browser = await p.chromium.launch(headless=self.headless, proxy=self.proxy) + browser = await p.chromium.launch( + headless=self.headless, proxy=self.proxy + ) for url in self.urls: try: @@ -394,6 +391,7 @@ class SafePlaywrightURLLoader(PlaywrightURLLoader): self._sync_wait_for_rate_limit() return True + class SafeWebBaseLoader(WebBaseLoader): """WebBaseLoader with enhanced error handling for URLs.""" @@ -496,11 +494,13 @@ class SafeWebBaseLoader(WebBaseLoader): """Load data into Document objects.""" return [document async for document in self.alazy_load()] + RAG_WEB_LOADER_ENGINES = defaultdict(lambda: SafeWebBaseLoader) RAG_WEB_LOADER_ENGINES["playwright"] = SafePlaywrightURLLoader RAG_WEB_LOADER_ENGINES["safe_web"] = SafeWebBaseLoader RAG_WEB_LOADER_ENGINES["firecrawl"] = SafeFireCrawlLoader + def get_web_loader( urls: Union[str, Sequence[str]], verify_ssl: bool = True, @@ -515,7 +515,7 @@ def get_web_loader( "verify_ssl": verify_ssl, "requests_per_second": requests_per_second, "continue_on_failure": True, - "trust_env": trust_env + "trust_env": trust_env, } if PLAYWRIGHT_WS_URI.value: @@ -529,6 +529,10 @@ def get_web_loader( WebLoaderClass = RAG_WEB_LOADER_ENGINES[RAG_WEB_LOADER_ENGINE.value] web_loader = WebLoaderClass(**web_loader_args) - log.debug("Using RAG_WEB_LOADER_ENGINE %s for %s URLs", web_loader.__class__.__name__, len(safe_urls)) + log.debug( + "Using RAG_WEB_LOADER_ENGINE %s for %s URLs", + web_loader.__class__.__name__, + len(safe_urls), + ) - return web_loader \ No newline at end of file + return web_loader diff --git a/backend/open_webui/routers/audio.py b/backend/open_webui/routers/audio.py index a1514d1a4..a970366d1 100644 --- a/backend/open_webui/routers/audio.py +++ b/backend/open_webui/routers/audio.py @@ -267,8 +267,10 @@ async def speech(request: Request, user=Depends(get_verified_user)): try: # print(payload) - timeout=aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) - async with aiohttp.ClientSession(timeout=timeout, trust_env=True) as session: + timeout = aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) + async with aiohttp.ClientSession( + timeout=timeout, trust_env=True + ) as session: async with session.post( url=f"{request.app.state.config.TTS_OPENAI_API_BASE_URL}/audio/speech", json=payload, @@ -325,8 +327,10 @@ async def speech(request: Request, user=Depends(get_verified_user)): ) try: - timeout=aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) - async with aiohttp.ClientSession(timeout=timeout, trust_env=True) as session: + timeout = aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) + async with aiohttp.ClientSession( + timeout=timeout, trust_env=True + ) as session: async with session.post( f"https://api.elevenlabs.io/v1/text-to-speech/{voice_id}", json={ @@ -383,8 +387,10 @@ async def speech(request: Request, user=Depends(get_verified_user)): data = f""" {payload["input"]} """ - timeout=aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) - async with aiohttp.ClientSession(timeout=timeout, trust_env=True) as session: + timeout = aiohttp.ClientTimeout(total=AIOHTTP_CLIENT_TIMEOUT) + async with aiohttp.ClientSession( + timeout=timeout, trust_env=True + ) as session: async with session.post( f"https://{region}.tts.speech.microsoft.com/cognitiveservices/v1", headers={ diff --git a/backend/open_webui/routers/auths.py b/backend/open_webui/routers/auths.py index 494ba3611..3fa2ffe2e 100644 --- a/backend/open_webui/routers/auths.py +++ b/backend/open_webui/routers/auths.py @@ -547,7 +547,7 @@ async def signout(request: Request, response: Response): response.delete_cookie("oauth_id_token") return RedirectResponse( headers=response.headers, - url=f"{logout_url}?id_token_hint={oauth_id_token}" + url=f"{logout_url}?id_token_hint={oauth_id_token}", ) else: raise HTTPException( diff --git a/backend/open_webui/routers/ollama.py b/backend/open_webui/routers/ollama.py index 9314c8bfc..732dd36f9 100644 --- a/backend/open_webui/routers/ollama.py +++ b/backend/open_webui/routers/ollama.py @@ -944,8 +944,12 @@ class ChatMessage(BaseModel): @classmethod def check_at_least_one_field(cls, field_value, values, **kwargs): # Raise an error if both 'content' and 'tool_calls' are None - if field_value is None and ("tool_calls" not in values or values["tool_calls"] is None): - raise ValueError("At least one of 'content' or 'tool_calls' must be provided") + if field_value is None and ( + "tool_calls" not in values or values["tool_calls"] is None + ): + raise ValueError( + "At least one of 'content' or 'tool_calls' must be provided" + ) return field_value diff --git a/backend/open_webui/utils/oauth.py b/backend/open_webui/utils/oauth.py index 8674ad64b..13835e784 100644 --- a/backend/open_webui/utils/oauth.py +++ b/backend/open_webui/utils/oauth.py @@ -253,23 +253,32 @@ class OAuthManager: if provider == "github": try: access_token = token.get("access_token") - headers = { - "Authorization": f"Bearer {access_token}" - } + headers = {"Authorization": f"Bearer {access_token}"} async with aiohttp.ClientSession() as session: - async with session.get("https://api.github.com/user/emails", headers=headers) as resp: + async with session.get( + "https://api.github.com/user/emails", headers=headers + ) as resp: if resp.ok: emails = await resp.json() # use the primary email as the user's email - primary_email = next((e["email"] for e in emails if e.get("primary")), None) + primary_email = next( + (e["email"] for e in emails if e.get("primary")), + None, + ) if primary_email: email = primary_email else: - log.warning("No primary email found in GitHub response") - raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED) + log.warning( + "No primary email found in GitHub response" + ) + raise HTTPException( + 400, detail=ERROR_MESSAGES.INVALID_CRED + ) else: log.warning("Failed to fetch GitHub email") - raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED) + raise HTTPException( + 400, detail=ERROR_MESSAGES.INVALID_CRED + ) except Exception as e: log.warning(f"Error fetching GitHub email: {e}") raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED) diff --git a/backend/open_webui/utils/payload.py b/backend/open_webui/utils/payload.py index acb75d024..51e8d50cc 100644 --- a/backend/open_webui/utils/payload.py +++ b/backend/open_webui/utils/payload.py @@ -151,7 +151,7 @@ def convert_messages_openai_to_ollama(messages: list[dict]) -> list[dict]: # Put the content to empty string (Ollama requires an empty string for tool calls) new_message["content"] = "" - + else: # Otherwise, assume the content is a list of dicts, e.g., text followed by an image URL content_text = "" @@ -215,16 +215,20 @@ def convert_payload_openai_to_ollama(openai_payload: dict) -> dict: if openai_payload.get("options"): ollama_payload["options"] = openai_payload["options"] ollama_options = openai_payload["options"] - + # Re-Mapping OpenAI's `max_tokens` -> Ollama's `num_predict` if "max_tokens" in ollama_options: - ollama_options["num_predict"] = ollama_options["max_tokens"] - del ollama_options["max_tokens"] # To prevent Ollama warning of invalid option provided + ollama_options["num_predict"] = ollama_options["max_tokens"] + del ollama_options[ + "max_tokens" + ] # To prevent Ollama warning of invalid option provided # Ollama lacks a "system" prompt option. It has to be provided as a direct parameter, so we copy it down. if "system" in ollama_options: - ollama_payload["system"] = ollama_options["system"] - del ollama_options["system"] # To prevent Ollama warning of invalid option provided + ollama_payload["system"] = ollama_options["system"] + del ollama_options[ + "system" + ] # To prevent Ollama warning of invalid option provided if "metadata" in openai_payload: ollama_payload["metadata"] = openai_payload["metadata"] diff --git a/backend/open_webui/utils/response.py b/backend/open_webui/utils/response.py index eb6b1a242..bc47e1e13 100644 --- a/backend/open_webui/utils/response.py +++ b/backend/open_webui/utils/response.py @@ -23,6 +23,7 @@ def convert_ollama_tool_call_to_openai(tool_calls: dict) -> dict: openai_tool_calls.append(openai_tool_call) return openai_tool_calls + def convert_ollama_usage_to_openai(data: dict) -> dict: return { "response_token/s": ( @@ -56,24 +57,29 @@ def convert_ollama_usage_to_openai(data: dict) -> dict: "total_duration": data.get("total_duration", 0), "load_duration": data.get("load_duration", 0), "prompt_eval_count": data.get("prompt_eval_count", 0), - "prompt_tokens": int(data.get("prompt_eval_count", 0)), # This is the OpenAI compatible key + "prompt_tokens": int( + data.get("prompt_eval_count", 0) + ), # This is the OpenAI compatible key "prompt_eval_duration": data.get("prompt_eval_duration", 0), "eval_count": data.get("eval_count", 0), - "completion_tokens": int(data.get("eval_count", 0)), # This is the OpenAI compatible key + "completion_tokens": int( + data.get("eval_count", 0) + ), # This is the OpenAI compatible key "eval_duration": data.get("eval_duration", 0), "approximate_total": (lambda s: f"{s // 3600}h{(s % 3600) // 60}m{s % 60}s")( (data.get("total_duration", 0) or 0) // 1_000_000_000 ), - "total_tokens": int( # This is the OpenAI compatible key + "total_tokens": int( # This is the OpenAI compatible key data.get("prompt_eval_count", 0) + data.get("eval_count", 0) ), - "completion_tokens_details": { # This is the OpenAI compatible key + "completion_tokens_details": { # This is the OpenAI compatible key "reasoning_tokens": 0, "accepted_prediction_tokens": 0, - "rejected_prediction_tokens": 0 - } + "rejected_prediction_tokens": 0, + }, } + def convert_response_ollama_to_openai(ollama_response: dict) -> dict: model = ollama_response.get("model", "ollama") message_content = ollama_response.get("message", {}).get("content", "") diff --git a/scripts/prepare-pyodide.js b/scripts/prepare-pyodide.js index 3a7045c98..70f3cf5c6 100644 --- a/scripts/prepare-pyodide.js +++ b/scripts/prepare-pyodide.js @@ -37,7 +37,7 @@ function initNetworkProxyFromEnv() { * @see https://github.com/nodejs/undici/issues/2224 */ if (!preferedProxy || !preferedProxy.startsWith('http')) return; - let preferedProxyURL + let preferedProxyURL; try { preferedProxyURL = new URL(preferedProxy).toString(); } catch { diff --git a/src/lib/components/chat/Messages/Markdown/MarkdownTokens.svelte b/src/lib/components/chat/Messages/Markdown/MarkdownTokens.svelte index 0c5244882..cfe35717d 100644 --- a/src/lib/components/chat/Messages/Markdown/MarkdownTokens.svelte +++ b/src/lib/components/chat/Messages/Markdown/MarkdownTokens.svelte @@ -239,7 +239,12 @@ {/if} {:else if token.type === 'details'} - +
{ console.log(item); @@ -38,7 +39,10 @@ class="hover:underline line-clamp-1" on:click|preventDefault={() => { if (!isPDF && item.url) { - window.open(item.type === 'file' ? `${item.url}/content` : `${item.url}`, '_blank'); + window.open( + item.type === 'file' ? `${item.url}/content` : `${item.url}`, + '_blank' + ); } }} > diff --git a/src/lib/components/common/Modal.svelte b/src/lib/components/common/Modal.svelte index 705076854..6ca81d33e 100644 --- a/src/lib/components/common/Modal.svelte +++ b/src/lib/components/common/Modal.svelte @@ -73,7 +73,9 @@ }} >
{ e.stopPropagation(); diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index b349548e4..d9576d41a 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "أسقط أية ملفات هنا لإضافتها إلى المحادثة", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "e.g. '30s','10m'. الوحدات الزمنية الصالحة هي 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "أدخل Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "الرابط (e.g. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "URL (e.g. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "عام", "General Settings": "الاعدادات العامة", "Generate an image": "", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index 79a2b795e..eb06681f8 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -1,1144 +1,1150 @@ { - "-1 for no limit, or a positive integer for a specific limit": "-1 за липса на ограничение или положително цяло число за определено ограничение.", - "'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w' или '-1' за неограничен срок.", - "(e.g. `sh webui.sh --api --api-auth username_password`)": "(напр. `sh webui.sh --api --api-auth username_password`)", - "(e.g. `sh webui.sh --api`)": "(напр. `sh webui.sh --api`)", - "(latest)": "(последна)", - "{{ models }}": "{{ models }}", - "{{COUNT}} Replies": "{{COUNT}} Отговори", - "{{user}}'s Chats": "{{user}}'s чатове", - "{{webUIName}} Backend Required": "{{webUIName}} Изисква се Бекенд", - "*Prompt node ID(s) are required for image generation": "*Идентификаторът(ите) на node-а се изисква(т) за генериране на изображения", - "A new version (v{{LATEST_VERSION}}) is now available.": "Вече е налична нова версия (v{{LATEST_VERSION}}).", - "A task model is used when performing tasks such as generating titles for chats and web search queries": "Моделът на задачите се използва при изпълнение на задачи като генериране на заглавия за чатове и заявки за търсене в мрежата", - "a user": "потребител", - "About": "Относно", - "Access": "Достъп", - "Access Control": "Контрол на достъпа", - "Accessible to all users": "Достъпно за всички потребители", - "Account": "Акаунт", - "Account Activation Pending": "Активирането на акаунта е в процес на изчакване", - "Accurate information": "Точна информация", - "Actions": "Действия", - "Activate": "Активиране", - "Activate this command by typing \"/{{COMMAND}}\" to chat input.": "Активирайте тази команда, като въведете \"/{{COMMAND}}\" в полето за чат.", - "Active Users": "Активни потребители", - "Add": "Добавяне", - "Add a model ID": "Добавете ID на модел", - "Add a short description about what this model does": "Добавете кратко описание за това какво прави този модел", - "Add a tag": "Добавяне на таг", - "Add Arena Model": "Добавяне на Arena модел", - "Add Connection": "Добавяне на връзка", - "Add Content": "Добавяне на съдържание", - "Add content here": "Добавете съдържание тук", - "Add custom prompt": "Добавяне на собствен промпт", - "Add Files": "Добавяне на Файлове", - "Add Group": "Добавяне на група", - "Add Memory": "Добавяне на Памет", - "Add Model": "Добавяне на Модел", - "Add Reaction": "Добавяне на реакция", - "Add Tag": "Добавяне на таг", - "Add Tags": "Добавяне на тагове", - "Add text content": "Добавяне на текстово съдържание", - "Add User": "Добавяне на потребител", - "Add User Group": "Добавяне на потребителска група", - "Adjusting these settings will apply changes universally to all users.": "При промяна на тези настройки промените се прилагат за всички потребители.", - "admin": "админ", - "Admin": "Администратор", - "Admin Panel": "Панел на Администратор", - "Admin Settings": "Настройки на Администратор", - "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Администраторите имат достъп до всички инструменти по всяко време; потребителите се нуждаят от инструменти, присвоени за всеки модел в работното пространство.", - "Advanced Parameters": "Разширени Параметри", - "Advanced Params": "Разширени параметри", - "All Documents": "Всички Документи", - "All models deleted successfully": "Всички модели са изтрити успешно", - "Allow Chat Controls": "Разреши контроли на чата", - "Allow Chat Delete": "Разреши изтриване на чат", - "Allow Chat Deletion": "Позволи Изтриване на Чат", - "Allow Chat Edit": "Разреши редактиране на чат", - "Allow File Upload": "Разреши качване на файлове", - "Allow non-local voices": "Разреши нелокални гласове", - "Allow Temporary Chat": "Разреши временен чат", - "Allow User Location": "Разреши местоположение на потребителя", - "Allow Voice Interruption in Call": "Разреши прекъсване на гласа по време на разговор", - "Allowed Endpoints": "Разрешени крайни точки", - "Already have an account?": "Вече имате акаунт?", - "Alternative to the top_p, and aims to ensure a balance of quality and variety. The parameter p represents the minimum probability for a token to be considered, relative to the probability of the most likely token. For example, with p=0.05 and the most likely token having a probability of 0.9, logits with a value less than 0.045 are filtered out. (Default: 0.0)": "Алтернатива на top_p, която цели да осигури баланс между качество и разнообразие. Параметърът p представлява минималната вероятност за разглеждане на токен, спрямо вероятността на най-вероятния токен. Например, при p=0.05 и най-вероятен токен с вероятност 0.9, логитите със стойност по-малка от 0.045 се филтрират. (По подразбиране: 0.0)", - "Always": "Винаги", - "Amazing": "Невероятно", - "an assistant": "асистент", - "Analyzed": "Анализирано", - "Analyzing...": "Анализиране...", - "and": "и", - "and {{COUNT}} more": "и още {{COUNT}}", - "and create a new shared link.": "и създай нов общ линк.", - "API Base URL": "API Базов URL", - "API Key": "API Ключ", - "API Key created.": "API Ключ създаден.", - "API Key Endpoint Restrictions": "Ограничения на крайните точки за API Ключ", - "API keys": "API Ключове", - "Application DN": "DN на приложението", - "Application DN Password": "Парола за DN на приложението", - "applies to all users with the \"user\" role": "прилага се за всички потребители с роля \"потребител\"", - "April": "Април", - "Archive": "Архивирани Чатове", - "Archive All Chats": "Архив Всички чатове", - "Archived Chats": "Архивирани Чатове", - "archived-chat-export": "експорт-на-архивирани-чатове", - "Are you sure you want to delete this channel?": "Сигурни ли сте, че искате да изтриете този канал?", - "Are you sure you want to delete this message?": "Сигурни ли сте, че искате да изтриете това съобщение?", - "Are you sure you want to unarchive all archived chats?": "Сигурни ли сте, че искате да разархивирате всички архивирани чатове?", - "Are you sure?": "Сигурни ли сте?", - "Arena Models": "Arena Модели", - "Artifacts": "Артефакти", - "Ask a question": "Задайте въпрос", - "Assistant": "Асистент", - "Attach file": "Прикачване на файл", - "Attention to detail": "Внимание към детайлите", - "Attribute for Mail": "Атрибут за поща", - "Attribute for Username": "Атрибут за потребителско име", - "Audio": "Аудио", - "August": "Август", - "Authenticate": "Удостоверяване", - "Authentication": "Автентикация", - "Auto-Copy Response to Clipboard": "Автоматично копиране на отговор в клипборда", - "Auto-playback response": "Автоматично възпроизвеждане на отговора", - "Autocomplete Generation": "Генериране на автоматично довършване", - "Autocomplete Generation Input Max Length": "Максимална дължина на входа за генериране на автоматично довършване", - "Automatic1111": "Automatic1111", - "AUTOMATIC1111 Api Auth String": "AUTOMATIC1111 Api Auth низ", - "AUTOMATIC1111 Base URL": "AUTOMATIC1111 Базов URL", - "AUTOMATIC1111 Base URL is required.": "AUTOMATIC1111 Базов URL е задължителен.", - "Available list": "Наличен списък", - "available!": "наличен!", - "Awful": "Ужасно", - "Azure AI Speech": "Azure AI Реч", - "Azure Region": "Azure Регион", - "Back": "Назад", - "Bad Response": "Невалиден отговор от API", - "Banners": "Банери", - "Base Model (From)": "Базов модел (от)", - "Batch Size (num_batch)": "Размер на партидата (num_batch)", - "before": "преди", - "Being lazy": "Да бъдеш мързелив", - "Beta": "Бета", - "Bing Search V7 Endpoint": "Крайна точка за Bing Search V7", - "Bing Search V7 Subscription Key": "Абонаментен ключ за Bing Search V7", - "Bocha Search API Key": "API ключ за Bocha Search", - "Brave Search API Key": "API ключ за Brave Search", - "By {{name}}": "От {{name}}", - "Bypass SSL verification for Websites": "Изключване на SSL проверката за сайтове", - "Calendar": "Календар", - "Call": "Обаждане", - "Call feature is not supported when using Web STT engine": "Функцията за обаждане не се поддържа при използване на Web STT двигател", - "Camera": "Камера", - "Cancel": "Отказ", - "Capabilities": "Възможности", - "Capture": "Заснемане", - "Certificate Path": "Път до сертификата", - "Change Password": "Промяна на Парола", - "Channel Name": "Име на канала", - "Channels": "Канали", - "Character": "Герой", - "Character limit for autocomplete generation input": "Ограничение на символите за входа на генериране на автоматично довършване", - "Chart new frontiers": "Начертайте нови граници", - "Chat": "Чат", - "Chat Background Image": "Фоново изображение на чата", - "Chat Bubble UI": "UI за чат балон", - "Chat Controls": "Контроли на чата", - "Chat direction": "Направление на чата", - "Chat Overview": "Преглед на чата", - "Chat Permissions": "Разрешения за чат", - "Chat Tags Auto-Generation": "Автоматично генериране на тагове за чат", - "Chats": "Чатове", - "Check Again": "Проверете Още Веднъж", - "Check for updates": "Проверка за актуализации", - "Checking for updates...": "Проверка за актуализации...", - "Choose a model before saving...": "Изберете модел преди запазване...", - "Chunk Overlap": "Припокриване на чънкове", - "Chunk Params": "Параметри на чънковете", - "Chunk Size": "Размер на чънк", - "Ciphers": "Шифри", - "Citation": "Цитат", - "Clear memory": "Изчистване на паметта", - "click here": "натиснете тук", - "Click here for filter guides.": "Натиснете тук за ръководства за филтриране.", - "Click here for help.": "Натиснете тук за помощ.", - "Click here to": "Натиснете тук, за да", - "Click here to download user import template file.": "Натиснете тук, за да изтеглите шаблонния файл за импортиране на потребители.", - "Click here to learn more about faster-whisper and see the available models.": "Натиснете тук, за да научите повече за faster-whisper и да видите наличните модели.", - "Click here to see available models.": "Натиснете тук, за да видите наличните модели.", - "Click here to select": "Натиснете тук, за да изберете", - "Click here to select a csv file.": "Натиснете тук, за да изберете csv файл.", - "Click here to select a py file.": "Натиснете тук, за да изберете py файл.", - "Click here to upload a workflow.json file.": "Натиснете тук, за да качите workflow.json файл.", - "click here.": "натиснете тук.", - "Click on the user role button to change a user's role.": "Натиснете върху бутона за промяна на ролята на потребителя.", - "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "Разрешението за запис в клипборда е отказано. Моля, проверете настройките на браузъра си, за да предоставите необходимия достъп.", - "Clone": "Клонинг", - "Clone Chat": "Клониране на чат", - "Clone of {{TITLE}}": "Клонинг на {{TITLE}}", - "Close": "Затвори", - "Code execution": "Изпълнение на код", - "Code Execution": "Изпълнение на код", - "Code Execution Engine": "Двигател за изпълнение на код", - "Code formatted successfully": "Кодът е форматиран успешно", - "Code Interpreter": "Интерпретатор на код", - "Code Interpreter Engine": "Двигател на интерпретатора на код", - "Code Interpreter Prompt Template": "Шаблон за промпт на интерпретатора на код", - "Collection": "Колекция", - "Color": "Цвят", - "ComfyUI": "ComfyUI", - "ComfyUI API Key": "ComfyUI API Ключ", - "ComfyUI Base URL": "ComfyUI Базов URL", - "ComfyUI Base URL is required.": "ComfyUI Базов URL е задължителен.", - "ComfyUI Workflow": "ComfyUI Работен поток", - "ComfyUI Workflow Nodes": "Възли на ComfyUI работен поток", - "Command": "Команда", - "Completions": "Довършвания", - "Concurrent Requests": "Едновременни заявки", - "Configure": "Конфигуриране", - "Confirm": "Потвърди", - "Confirm Password": "Потвърди Парола", - "Confirm your action": "Потвърдете действието си", - "Confirm your new password": "Потвърдете новата си парола", - "Connect to your own OpenAI compatible API endpoints.": "Свържете се със собствени крайни точки на API, съвместими с OpenAI.", - "Connections": "Връзки", - "Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort. (Default: medium)": "Ограничава усилията за разсъждение при модели за разсъждение. Приложимо само за модели за разсъждение от конкретни доставчици, които поддържат усилия за разсъждение. (По подразбиране: средно)", - "Contact Admin for WebUI Access": "Свържете се с администратор за достъп до WebUI", - "Content": "Съдържание", - "Content Extraction": "Извличане на съдържание", - "Context Length": "Дължина на Контекста", - "Continue Response": "Продължи отговора", - "Continue with {{provider}}": "Продължете с {{provider}}", - "Continue with Email": "Продължете с имейл", - "Continue with LDAP": "Продължете с LDAP", - "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "Контролирайте как текстът на съобщението се разделя за TTS заявки. 'Пунктуация' разделя на изречения, 'параграфи' разделя на параграфи, а 'нищо' запазва съобщението като един низ.", - "Control the repetition of token sequences in the generated text. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 1.1) will be more lenient. At 1, it is disabled. (Default: 1.1)": "Контролирайте повторението на последователности от токени в генерирания текст. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 1.1) ще бъде по-снизходителна. При 1 е изключено. (По подразбиране: 1.1)", - "Controls": "Контроли", - "Controls the balance between coherence and diversity of the output. A lower value will result in more focused and coherent text. (Default: 5.0)": "Контролира баланса между съгласуваност и разнообразие на изхода. По-ниска стойност ще доведе до по-фокусиран и съгласуван текст. (По подразбиране: 5.0)", - "Copied": "Копирано", - "Copied shared chat URL to clipboard!": "Копирана е връзката за споделен чат в клипборда!", - "Copied to clipboard": "Копирано в клипборда", - "Copy": "Копирай", - "Copy last code block": "Копиране на последен код блок", - "Copy last response": "Копиране на последен отговор", - "Copy Link": "Копиране на връзка", - "Copy to clipboard": "Копиране в клипборда", - "Copying to clipboard was successful!": "Копирането в клипборда беше успешно!", - "CORS must be properly configured by the provider to allow requests from Open WebUI.": "CORS трябва да бъде правилно конфигуриран от доставчика, за да позволи заявки от Open WebUI.", - "Create": "Създай", - "Create a knowledge base": "Създаване на база знания", - "Create a model": "Създаване на модел", - "Create Account": "Създаване на Акаунт", - "Create Admin Account": "Създаване на администраторски акаунт", - "Create Channel": "Създаване на канал", - "Create Group": "Създаване на група", - "Create Knowledge": "Създаване на знания", - "Create new key": "Създаване на нов ключ", - "Create new secret key": "Създаване на нов секретен ключ", - "Created at": "Създадено на", - "Created At": "Създадено на", - "Created by": "Създадено от", - "CSV Import": "Импортиране на CSV", - "Current Model": "Текущ модел", - "Current Password": "Текуща Парола", - "Custom": "Персонализиран", - "Dark": "Тъмен", - "Database": "База данни", - "December": "Декември", - "Default": "По подразбиране", - "Default (Open AI)": "По подразбиране (Open AI)", - "Default (SentenceTransformers)": "По подразбиране (SentenceTransformers)", - "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model’s built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режимът по подразбиране работи с по-широк набор от модели, като извиква инструменти веднъж преди изпълнение. Нативният режим използва вградените възможности за извикване на инструменти на модела, но изисква моделът да поддържа тази функция по същество.", - "Default Model": "Модел по подразбиране", - "Default model updated": "Моделът по подразбиране е обновен", - "Default Models": "Модели по подразбиране", - "Default permissions": "Разрешения по подразбиране", - "Default permissions updated successfully": "Разрешенията по подразбиране са успешно актуализирани", - "Default Prompt Suggestions": "Промпт Предложения по подразбиране", - "Default to 389 or 636 if TLS is enabled": "По подразбиране 389 или 636, ако TLS е активиран", - "Default to ALL": "По подразбиране за ВСИЧКИ", - "Default User Role": "Роля на потребителя по подразбиране", - "Delete": "Изтриване", - "Delete a model": "Изтриване на модел", - "Delete All Chats": "Изтриване на всички чатове", - "Delete All Models": "Изтриване на всички модели", - "Delete chat": "Изтриване на чат", - "Delete Chat": "Изтриване на Чат", - "Delete chat?": "Изтриване на чата?", - "Delete folder?": "Изтриване на папката?", - "Delete function?": "Изтриване на функцията?", - "Delete Message": "Изтриване на съобщение", - "Delete message?": "Изтриване на съобщението?", - "Delete prompt?": "Изтриване на промпта?", - "delete this link": "Изтриване на този линк", - "Delete tool?": "Изтриване на инструмента?", - "Delete User": "Изтриване на потребител", - "Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}", - "Deleted {{name}}": "Изтрито {{name}}", - "Deleted User": "Изтрит потребител", - "Describe your knowledge base and objectives": "Опишете вашата база от знания и цели", - "Description": "Описание", - "Didn't fully follow instructions": "Не следва напълно инструкциите", - "Direct Connections": "Директни връзки", - "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Директните връзки позволяват на потребителите да се свързват със собствени OpenAI съвместими API крайни точки.", - "Direct Connections settings updated": "Настройките за директни връзки са актуализирани", - "Disabled": "Деактивирано", - "Discover a function": "Открийте функция", - "Discover a model": "Открийте модел", - "Discover a prompt": "Откриване на промпт", - "Discover a tool": "Открийте инструмент", - "Discover how to use Open WebUI and seek support from the community.": "Открийте как да използвате Open WebUI и потърсете подкрепа от общността.", - "Discover wonders": "Открийте чудеса", - "Discover, download, and explore custom functions": "Открийте, изтеглете и разгледайте персонализирани функции", - "Discover, download, and explore custom prompts": "Откриване, сваляне и преглед на персонализирани промптове", - "Discover, download, and explore custom tools": "Открийте, изтеглете и разгледайте персонализирани инструменти", - "Discover, download, and explore model presets": "Откриване, сваляне и преглед на пресетове на модели", - "Dismissible": "Може да се отхвърли", - "Display": "Показване", - "Display Emoji in Call": "Показване на емотикони в обаждането", - "Display the username instead of You in the Chat": "Показване на потребителското име вместо Вие в чата", - "Displays citations in the response": "Показва цитати в отговора", - "Dive into knowledge": "Потопете се в знанието", - "Do not install functions from sources you do not fully trust.": "Не инсталирайте функции от източници, на които не се доверявате напълно.", - "Do not install tools from sources you do not fully trust.": "Не инсталирайте инструменти от източници, на които не се доверявате напълно.", - "Document": "Документ", - "Documentation": "Документация", - "Documents": "Документи", - "does not make any external connections, and your data stays securely on your locally hosted server.": "няма външни връзки, и вашите данни остават сигурни на локално назначен сървър.", - "Domain Filter List": "Списък с филтри за домейни", - "Don't have an account?": "Нямате акаунт?", - "don't install random functions from sources you don't trust.": "не инсталирайте случайни функции от източници, на които не се доверявате.", - "don't install random tools from sources you don't trust.": "не инсталирайте случайни инструменти от източници, на които не се доверявате.", - "Don't like the style": "Не харесваш стила?", - "Done": "Готово", - "Download": "Изтегляне", - "Download as SVG": "Изтегляне като SVG", - "Download canceled": "Изтегляне отменено", - "Download Database": "Сваляне на база данни", - "Drag and drop a file to upload or select a file to view": "Плъзнете и пуснете файл за качване или изберете файл за преглед", - "Draw": "Рисуване", - "Drop any files here to add to the conversation": "Пускане на файлове тук, за да ги добавите в чата", - "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "напр. '30с','10м'. Валидни единици са 'с', 'м', 'ч'.", - "e.g. A filter to remove profanity from text": "напр. Филтър за премахване на нецензурни думи от текста", - "e.g. My Filter": "напр. Моят филтър", - "e.g. My Tools": "напр. Моите инструменти", - "e.g. my_filter": "напр. моят_филтър", - "e.g. my_tools": "напр. моите_инструменти", - "e.g. Tools for performing various operations": "напр. Инструменти за извършване на различни операции", - "Edit": "Редактиране", - "Edit Arena Model": "Редактиране на Arena модел", - "Edit Channel": "Редактиране на канал", - "Edit Connection": "Редактиране на връзка", - "Edit Default Permissions": "Редактиране на разрешения по подразбиране", - "Edit Memory": "Редактиране на памет", - "Edit User": "Редактиране на потребител", - "Edit User Group": "Редактиране на потребителска група", - "ElevenLabs": "ElevenLabs", - "Email": "Имейл", - "Embark on adventures": "Отправете се на приключения", - "Embedding Batch Size": "Размер на партидата за вграждане", - "Embedding Model": "Модел за вграждане", - "Embedding Model Engine": "Двигател на модела за вграждане", - "Embedding model set to \"{{embedding_model}}\"": "Модел за вграждане е настроен на \"{{embedding_model}}\"", - "Enable API Key": "Активиране на API ключ", - "Enable autocomplete generation for chat messages": "Активиране на автоматично довършване за съобщения в чата", - "Enable Code Interpreter": "Активиране на интерпретатор на код", - "Enable Community Sharing": "Разрешаване на споделяне в общност", - "Enable Google Drive": "Активиране на Google Drive", - "Enable Memory Locking (mlock) to prevent model data from being swapped out of RAM. This option locks the model's working set of pages into RAM, ensuring that they will not be swapped out to disk. This can help maintain performance by avoiding page faults and ensuring fast data access.": "Активиране на заключване на паметта (mlock), за да се предотврати изваждането на данните на модела от RAM. Тази опция заключва работния набор от страници на модела в RAM, гарантирайки, че няма да бъдат изхвърлени на диска. Това може да помогне за поддържане на производителността, като се избягват грешки в страниците и се осигурява бърз достъп до данните.", - "Enable Memory Mapping (mmap) to load model data. This option allows the system to use disk storage as an extension of RAM by treating disk files as if they were in RAM. This can improve model performance by allowing for faster data access. However, it may not work correctly with all systems and can consume a significant amount of disk space.": "Активиране на мапиране на паметта (mmap) за зареждане на данни на модела. Тази опция позволява на системата да използва дисковото пространство като разширение на RAM, третирайки дисковите файлове, сякаш са в RAM. Това може да подобри производителността на модела, като позволява по-бърз достъп до данните. Въпреки това, може да не работи правилно с всички системи и може да консумира значително количество дисково пространство.", - "Enable Message Rating": "Активиране на оценяване на съобщения", - "Enable Mirostat sampling for controlling perplexity. (Default: 0, 0 = Disabled, 1 = Mirostat, 2 = Mirostat 2.0)": "Активиране на Mirostat семплиране за контрол на перплексията. (По подразбиране: 0, 0 = Деактивирано, 1 = Mirostat, 2 = Mirostat 2.0)", - "Enable New Sign Ups": "Включване на нови регистрации", - "Enable Web Search": "Разрешаване на търсене в уеб", - "Enabled": "Активирано", - "Engine": "Двигател", - "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Уверете се, че вашият CSV файл включва 4 колони в следния ред: Име, Имейл, Парола, Роля.", - "Enter {{role}} message here": "Въведете съобщение за {{role}} тук", - "Enter a detail about yourself for your LLMs to recall": "Въведете подробности за себе си, за да ги запомнят вашите LLMs", - "Enter api auth string (e.g. username:password)": "Въведете низ за удостоверяване на API (напр. потребителско_име:парола)", - "Enter Application DN": "Въведете DN на приложението", - "Enter Application DN Password": "Въведете парола за DN на приложението", - "Enter Bing Search V7 Endpoint": "Въведете крайна точка за Bing Search V7", - "Enter Bing Search V7 Subscription Key": "Въведете абонаментен ключ за Bing Search V7", - "Enter Bocha Search API Key": "Въведете API ключ за Bocha Search", - "Enter Brave Search API Key": "Въведете API ключ за Brave Search", - "Enter certificate path": "Въведете път до сертификата", - "Enter CFG Scale (e.g. 7.0)": "Въведете CFG Scale (напр. 7.0)", - "Enter Chunk Overlap": "Въведете припокриване на чънкове", - "Enter Chunk Size": "Въведете размер на чънк", - "Enter description": "Въведете описание", - "Enter domains separated by commas (e.g., example.com,site.org)": "Въведете домейни, разделени със запетаи (напр. example.com,site.org)", - "Enter Exa API Key": "Въведете API ключ за Exa", - "Enter Github Raw URL": "Въведете URL адрес на Github Raw", - "Enter Google PSE API Key": "Въведете API ключ за Google PSE", - "Enter Google PSE Engine Id": "Въведете идентификатор на двигателя на Google PSE", - "Enter Image Size (e.g. 512x512)": "Въведете размер на изображението (напр. 512x512)", - "Enter Jina API Key": "Въведете API ключ за Jina", - "Enter Jupyter Password": "Въведете парола за Jupyter", - "Enter Jupyter Token": "Въведете токен за Jupyter", - "Enter Jupyter URL": "Въведете URL адрес за Jupyter", - "Enter Kagi Search API Key": "Въведете API ключ за Kagi Search", - "Enter language codes": "Въведете кодове на езика", - "Enter Model ID": "Въведете ID на модела", - "Enter model tag (e.g. {{modelTag}})": "Въведете таг на модел (напр. {{modelTag}})", - "Enter Mojeek Search API Key": "Въведете API ключ за Mojeek Search", - "Enter Number of Steps (e.g. 50)": "Въведете брой стъпки (напр. 50)", - "Enter proxy URL (e.g. https://user:password@host:port)": "Въведете URL адрес на прокси (напр. https://потребител:парола@хост:порт)", - "Enter reasoning effort": "Въведете усилие за разсъждение", - "Enter Sampler (e.g. Euler a)": "Въведете семплер (напр. Euler a)", - "Enter Scheduler (e.g. Karras)": "Въведете планировчик (напр. Karras)", - "Enter Score": "Въведете оценка", - "Enter SearchApi API Key": "Въведете API ключ за SearchApi", - "Enter SearchApi Engine": "Въведете двигател за SearchApi", - "Enter Searxng Query URL": "Въведете URL адрес за заявка на Searxng", - "Enter Seed": "Въведете начално число", - "Enter SerpApi API Key": "Въведете API ключ за SerpApi", - "Enter SerpApi Engine": "Въведете двигател за SerpApi", - "Enter Serper API Key": "Въведете API ключ за Serper", - "Enter Serply API Key": "Въведете API ключ за Serply", - "Enter Serpstack API Key": "Въведете API ключ за Serpstack", - "Enter server host": "Въведете хост на сървъра", - "Enter server label": "Въведете етикет на сървъра", - "Enter server port": "Въведете порт на сървъра", - "Enter stop sequence": "Въведете стоп последователност", - "Enter system prompt": "Въведете системен промпт", - "Enter Tavily API Key": "Въведете API ключ за Tavily", - "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Въведете публичния URL адрес на вашия WebUI. Този URL адрес ще бъде използван за генериране на връзки в известията.", - "Enter Tika Server URL": "Въведете URL адрес на Tika сървър", - "Enter Top K": "Въведете Top K", - "Enter URL (e.g. http://127.0.0.1:7860/)": "Въведете URL (напр. http://127.0.0.1:7860/)", - "Enter URL (e.g. http://localhost:11434)": "Въведете URL (напр. http://localhost:11434)", - "Enter your current password": "Въведете текущата си парола", - "Enter Your Email": "Въведете имейл", - "Enter Your Full Name": "Въведете вашето пълно име", - "Enter your message": "Въведете съобщението си", - "Enter your new password": "Въведете новата си парола", - "Enter Your Password": "Въведете вашата парола", - "Enter Your Role": "Въведете вашата роля", - "Enter Your Username": "Въведете вашето потребителско име", - "Enter your webhook URL": "Въведете вашия webhook URL", - "Error": "Грешка", - "ERROR": "ГРЕШКА", - "Error accessing Google Drive: {{error}}": "Грешка при достъп до Google Drive: {{error}}", - "Error uploading file: {{error}}": "Грешка при качване на файла: {{error}}", - "Evaluations": "Оценки", - "Exa API Key": "API ключ за Exa", - "Example: (&(objectClass=inetOrgPerson)(uid=%s))": "Пример: (&(objectClass=inetOrgPerson)(uid=%s))", - "Example: ALL": "Пример: ВСИЧКИ", - "Example: mail": "Пример: поща", - "Example: ou=users,dc=foo,dc=example": "Пример: ou=users,dc=foo,dc=example", - "Example: sAMAccountName or uid or userPrincipalName": "Пример: sAMAccountName или uid или userPrincipalName", - "Exclude": "Изключи", - "Execute code for analysis": "Изпълнете код за анализ", - "Experimental": "Експериментално", - "Explore the cosmos": "Изследвайте космоса", - "Export": "Износ", - "Export All Archived Chats": "Износ на всички архивирани чатове", - "Export All Chats (All Users)": "Експортване на всички чатове (За всички потребители)", - "Export chat (.json)": "Експортиране на чат (.json)", - "Export Chats": "Експортване на чатове", - "Export Config to JSON File": "Експортиране на конфигурацията в JSON файл", - "Export Functions": "Експортиране на функции", - "Export Models": "Експортиране на модели", - "Export Presets": "Експортиране на предварителни настройки", - "Export Prompts": "Експортване на промптове", - "Export to CSV": "Експортиране в CSV", - "Export Tools": "Експортиране на инструменти", - "External Models": "Външни модели", - "Failed to add file.": "Неуспешно добавяне на файл.", - "Failed to create API Key.": "Неуспешно създаване на API ключ.", - "Failed to fetch models": "Неуспешно извличане на модели", - "Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда", - "Failed to save models configuration": "Неуспешно запазване на конфигурацията на моделите", - "Failed to update settings": "Неуспешно актуализиране на настройките", - "Failed to upload file.": "Неуспешно качване на файл.", - "Features": "Функции", - "Features Permissions": "Разрешения за функции", - "February": "Февруари", - "Feedback History": "История на обратната връзка", - "Feedbacks": "Обратни връзки", - "Feel free to add specific details": "Не се колебайте да добавите конкретни детайли", - "File": "Файл", - "File added successfully.": "Файлът е добавен успешно.", - "File content updated successfully.": "Съдържанието на файла е актуализирано успешно.", - "File Mode": "Файлов режим", - "File not found.": "Файл не е намерен.", - "File removed successfully.": "Файлът е премахнат успешно.", - "File size should not exceed {{maxSize}} MB.": "Размерът на файла не трябва да надвишава {{maxSize}} MB.", - "File uploaded successfully": "Файлът е качен успешно", - "Files": "Файлове", - "Filter is now globally disabled": "Филтърът вече е глобално деактивиран", - "Filter is now globally enabled": "Филтърът вече е глобално активиран", - "Filters": "Филтри", - "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Потвърждаване на отпечатък: Не може да се използва инициализационна буква като аватар. Потребителят се връща към стандартна аватарка.", - "Fluidly stream large external response chunks": "Плавно предаване на големи части от външен отговор", - "Focus chat input": "Фокусиране на чат вход", - "Folder deleted successfully": "Папката е изтрита успешно", - "Folder name cannot be empty": "Името на папката не може да бъде празно", - "Folder name cannot be empty.": "Името на папката не може да бъде празно.", - "Folder name updated successfully": "Името на папката е актуализирано успешно", - "Followed instructions perfectly": "Следвайте инструкциите перфектно", - "Forge new paths": "Изковете нови пътища", - "Form": "Форма", - "Format your variables using brackets like this:": "Форматирайте вашите променливи, използвайки скоби като това:", - "Frequency Penalty": "Наказание за честота", - "Full Context Mode": "Режим на пълен контекст", - "Function": "Функция", - "Function Calling": "Извикване на функция", - "Function created successfully": "Функцията е създадена успешно", - "Function deleted successfully": "Функцията е изтрита успешно", - "Function Description": "Описание на функцията", - "Function ID": "ID на функцията", - "Function is now globally disabled": "Функцията вече е глобално деактивирана", - "Function is now globally enabled": "Функцията вече е глобално активирана", - "Function Name": "Име на функцията", - "Function updated successfully": "Функцията е актуализирана успешно", - "Functions": "Функции", - "Functions allow arbitrary code execution": "Функциите позволяват произволно изпълнение на код", - "Functions allow arbitrary code execution.": "Функциите позволяват произволно изпълнение на код.", - "Functions imported successfully": "Функциите са импортирани успешно", - "General": "Основни", - "General Settings": "Основни Настройки", - "Generate an image": "Генериране на изображение", - "Generate Image": "Генериране на изображение", - "Generating search query": "Генериране на заявка за търсене", - "Get started": "Започнете", - "Get started with {{WEBUI_NAME}}": "Започнете с {{WEBUI_NAME}}", - "Global": "Глобално", - "Good Response": "Добър отговор", - "Google Drive": "Google Drive", - "Google PSE API Key": "Google PSE API ключ", - "Google PSE Engine Id": "Идентификатор на двигателя на Google PSE", - "Group created successfully": "Групата е създадена успешно", - "Group deleted successfully": "Групата е изтрита успешно", - "Group Description": "Описание на групата", - "Group Name": "Име на групата", - "Group updated successfully": "Групата е актуализирана успешно", - "Groups": "Групи", - "Haptic Feedback": "Тактилна обратна връзка", - "has no conversations.": "няма разговори.", - "Hello, {{name}}": "Здравей, {{name}}", - "Help": "Помощ", - "Help us create the best community leaderboard by sharing your feedback history!": "Помогнете ни да създадем най-добрата класация на общността, като споделите историята на вашата обратна връзка!", - "Hex Color": "Hex цвят", - "Hex Color - Leave empty for default color": "Hex цвят - Оставете празно за цвят по подразбиране", - "Hide": "Скрий", - "Home": "Начало", - "Host": "Хост", - "How can I help you today?": "Как мога да ви помогна днес?", - "How would you rate this response?": "Как бихте оценили този отговор?", - "Hybrid Search": "Хибридно търсене", - "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Потвърждавам, че съм прочел и разбирам последствията от моето действие. Наясно съм с рисковете, свързани с изпълнението на произволен код, и съм проверил надеждността на източника.", - "ID": "ID", - "Ignite curiosity": "Запалете любопитството", - "Image": "Изображение", - "Image Compression": "Компресия на изображения", - "Image Generation": "Генериране на изображения", - "Image Generation (Experimental)": "Генерация на изображения (Експериментално)", - "Image Generation Engine": "Двигател за генериране на изображения", - "Image Max Compression Size": "Максимален размер на компресия на изображения", - "Image Prompt Generation": "Генериране на промпт за изображения", - "Image Prompt Generation Prompt": "Промпт за генериране на промпт за изображения", - "Image Settings": "Настройки на изображения", - "Images": "Изображения", - "Import Chats": "Импортване на чатове", - "Import Config from JSON File": "Импортиране на конфигурация от JSON файл", - "Import Functions": "Импортиране на функции", - "Import Models": "Импортиране на модели", - "Import Presets": "Импортиране на предварителни настройки", - "Import Prompts": "Импортване на промптове", - "Import Tools": "Импортиране на инструменти", - "Include": "Включи", - "Include --api-auth flag when running stable-diffusion-webui": "Включете флага --api-auth при стартиране на stable-diffusion-webui", - "Include --api flag when running stable-diffusion-webui": "Включете флага --api, когато стартирате stable-diffusion-webui", - "Influences how quickly the algorithm responds to feedback from the generated text. A lower learning rate will result in slower adjustments, while a higher learning rate will make the algorithm more responsive. (Default: 0.1)": "Влияе върху това колко бързо алгоритъмът реагира на обратната връзка от генерирания текст. По-ниска скорост на обучение ще доведе до по-бавни корекции, докато по-висока скорост на обучение ще направи алгоритъма по-отзивчив. (По подразбиране: 0.1)", - "Info": "Информация", - "Input commands": "Въведете команди", - "Install from Github URL": "Инсталиране от URL адреса на Github", - "Instant Auto-Send After Voice Transcription": "Незабавно автоматично изпращане след гласова транскрипция", - "Interface": "Интерфейс", - "Invalid file format.": "Невалиден формат на файла.", - "Invalid Tag": "Невалиден таг", - "is typing...": "пише...", - "January": "Януари", - "Jina API Key": "API ключ за Jina", - "join our Discord for help.": "свържете се с нашия Discord за помощ.", - "JSON": "JSON", - "JSON Preview": "JSON Преглед", - "July": "Юли", - "June": "Юни", - "Jupyter Auth": "Jupyter удостоверяване", - "Jupyter URL": "Jupyter URL", - "JWT Expiration": "JWT изтичане", - "JWT Token": "JWT токен", - "Kagi Search API Key": "API ключ за Kagi Search", - "Keep Alive": "Поддържай активен", - "Key": "Ключ", - "Keyboard shortcuts": "Клавиши за бърз достъп", - "Knowledge": "Знания", - "Knowledge Access": "Достъп до знания", - "Knowledge created successfully.": "Знанието е създадено успешно.", - "Knowledge deleted successfully.": "Знанието е изтрито успешно.", - "Knowledge reset successfully.": "Знанието е нулирано успешно.", - "Knowledge updated successfully": "Знанието е актуализирано успешно", - "Kokoro.js (Browser)": "Kokoro.js (Браузър)", - "Kokoro.js Dtype": "Kokoro.js Dtype", - "Label": "Етикет", - "Landing Page Mode": "Режим на начална страница", - "Language": "Език", - "Last Active": "Последни активни", - "Last Modified": "Последно модифицирано", - "Last reply": "Последен отговор", - "LDAP": "LDAP", - "LDAP server updated": "LDAP сървърът е актуализиран", - "Leaderboard": "Класация", - "Leave empty for unlimited": "Оставете празно за неограничено", - "Leave empty to include all models from \"{{URL}}/api/tags\" endpoint": "Оставете празно, за да включите всички модели от крайната точка \"{{URL}}/api/tags\"", - "Leave empty to include all models from \"{{URL}}/models\" endpoint": "Оставете празно, за да включите всички модели от крайната точка \"{{URL}}/models\"", - "Leave empty to include all models or select specific models": "Оставете празно, за да включите всички модели или изберете конкретни модели", - "Leave empty to use the default prompt, or enter a custom prompt": "Оставете празно, за да използвате промпта по подразбиране, или въведете персонализиран промпт", - "Leave model field empty to use the default model.": "Оставете полето за модел празно, за да използвате модела по подразбиране.", - "License": "Лиценз", - "Light": "Светъл", - "Listening...": "Слушане...", - "Llama.cpp": "Llama.cpp", - "LLMs can make mistakes. Verify important information.": "LLMs могат да правят грешки. Проверете важните данни.", - "Loading Kokoro.js...": "Зареждане на Kokoro.js...", - "Local": "Локално", - "Local Models": "Локални модели", - "Lost": "Изгубено", - "LTR": "LTR", - "Made by Open WebUI Community": "Направено от OpenWebUI общността", - "Make sure to enclose them with": "Уверете се, че са заключени с", - "Make sure to export a workflow.json file as API format from ComfyUI.": "Уверете се, че експортирате файл workflow.json като API формат от ComfyUI.", - "Manage": "Управление", - "Manage Arena Models": "Управление на Arena модели", - "Manage Direct Connections": "Управление на директни връзки", - "Manage Models": "Управление на модели", - "Manage Ollama": "Управление на Ollama", - "Manage Ollama API Connections": "Управление на Ollama API връзки", - "Manage OpenAI API Connections": "Управление на OpenAI API връзки", - "Manage Pipelines": "Управление на пайплайни", - "March": "Март", - "Max Tokens (num_predict)": "Макс токени (num_predict)", - "Max Upload Count": "Максимален брой качвания", - "Max Upload Size": "Максимален размер на качване", - "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модела могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.", - "May": "Май", - "Memories accessible by LLMs will be shown here.": "Мемории достъпни от LLMs ще бъдат показани тук.", - "Memory": "Памет", - "Memory added successfully": "Паметта е добавена успешно", - "Memory cleared successfully": "Паметта е изчистена успешно", - "Memory deleted successfully": "Паметта е изтрита успешно", - "Memory updated successfully": "Паметта е актуализирана успешно", - "Merge Responses": "Обединяване на отговори", - "Message rating should be enabled to use this feature": "Оценяването на съобщения трябва да бъде активирано, за да използвате тази функция", - "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Съобщенията, които изпращате след създаването на връзката, няма да бъдат споделяни. Потребителите с URL адреса ще могат да видят споделения чат.", - "Min P": "Мин P", - "Minimum Score": "Минимална оценка", - "Mirostat": "Mirostat", - "Mirostat Eta": "Mirostat Eta", - "Mirostat Tau": "Mirostat Tau", - "Model": "Модел", - "Model '{{modelName}}' has been successfully downloaded.": "Моделът '{{modelName}}' беше успешно свален.", - "Model '{{modelTag}}' is already in queue for downloading.": "Моделът '{{modelTag}}' е вече в очакване за сваляне.", - "Model {{modelId}} not found": "Моделът {{modelId}} не е намерен", - "Model {{modelName}} is not vision capable": "Моделът {{modelName}} не поддържа визуални възможности", - "Model {{name}} is now {{status}}": "Моделът {{name}} сега е {{status}}", - "Model accepts image inputs": "Моделът приема входни изображения", - "Model created successfully!": "Моделът е създаден успешно!", - "Model filesystem path detected. Model shortname is required for update, cannot continue.": "Открит е път до файловата система на модела. За актуализацията се изисква съкратено име на модела, не може да продължи.", - "Model Filtering": "Филтриране на модели", - "Model ID": "ИД на модел", - "Model IDs": "ИД-та на модели", - "Model Name": "Име на модел", - "Model not selected": "Не е избран модел", - "Model Params": "Параметри на модела", - "Model Permissions": "Разрешения на модела", - "Model updated successfully": "Моделът е актуализиран успешно", - "Modelfile Content": "Съдържание на модфайл", - "Models": "Модели", - "Models Access": "Достъп до модели", - "Models configuration saved successfully": "Конфигурацията на моделите е запазена успешно", - "Mojeek Search API Key": "API ключ за Mojeek Search", - "more": "още", - "More": "Повече", - "Name": "Име", - "Name your knowledge base": "Именувайте вашата база от знания", - "Native": "Нативен", - "New Chat": "Нов чат", - "New Folder": "Нова папка", - "New Password": "Нова парола", - "new-channel": "нов-канал", - "No content found": "Не е намерено съдържание", - "No content to speak": "Няма съдържание за изговаряне", - "No distance available": "Няма налично разстояние", - "No feedbacks found": "Не са намерени обратни връзки", - "No file selected": "Не е избран файл", - "No files found.": "Не са намерени файлове.", - "No groups with access, add a group to grant access": "Няма групи с достъп, добавете група, за да предоставите достъп", - "No HTML, CSS, or JavaScript content found.": "Не е намерено HTML, CSS или JavaScript съдържание.", - "No inference engine with management support found": "Не е намерен механизъм за извод с поддръжка на управление", - "No knowledge found": "Не са намерени знания", - "No model IDs": "Няма ИД-та на модели", - "No models found": "Не са намерени модели", - "No models selected": "Няма избрани модели", - "No results found": "Няма намерени резултати", - "No search query generated": "Не е генерирана заявка за търсене", - "No source available": "Няма наличен източник", - "No users were found.": "Не са намерени потребители.", - "No valves to update": "Няма клапани за актуализиране", - "None": "Никой", - "Not factually correct": "Не е фактологически правилно", - "Not helpful": "Не е полезно", - "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Забележка: Ако зададете минимален резултат, търсенето ще върне само документи с резултат, по-голям или равен на минималния резултат.", - "Notes": "Бележки", - "Notification Sound": "Звук за известия", - "Notification Webhook": "Webhook за известия", - "Notifications": "Известия", - "November": "Ноември", - "num_gpu (Ollama)": "num_gpu (Ollama)", - "num_thread (Ollama)": "num_thread (Ollama)", - "OAuth ID": "OAuth ID", - "October": "Октомври", - "Off": "Изкл.", - "Okay, Let's Go!": "ОК, Нека започваме!", - "OLED Dark": "OLED тъмно", - "Ollama": "Ollama", - "Ollama API": "Ollama API", - "Ollama API settings updated": "Настройките на Ollama API са актуализирани", - "Ollama Version": "Ollama Версия", - "On": "Вкл.", - "Only alphanumeric characters and hyphens are allowed": "Разрешени са само буквено-цифрови знаци и тирета", - "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.", - "Only collections can be edited, create a new knowledge base to edit/add documents.": "Само колекции могат да бъдат редактирани, създайте нова база от знания, за да редактирате/добавяте документи.", - "Only select users and groups with permission can access": "Само избрани потребители и групи с разрешение могат да имат достъп", - "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.", - "Oops! There are files still uploading. Please wait for the upload to complete.": "Упс! Все още има файлове, които се качват. Моля, изчакайте качването да приключи.", - "Oops! There was an error in the previous response.": "Упс! Имаше грешка в предишния отговор.", - "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Упс! Използвате неподдържан метод (само фронтенд). Моля, сервирайте WebUI от бекенда.", - "Open file": "Отвори файл", - "Open in full screen": "Отвори на цял екран", - "Open new chat": "Отвори нов чат", - "Open WebUI uses faster-whisper internally.": "Open WebUI използва вътрешно faster-whisper.", - "Open WebUI uses SpeechT5 and CMU Arctic speaker embeddings.": "Open WebUI използва SpeechT5 и CMU Arctic говорителни вграждания.", - "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версията на Open WebUI (v{{OPEN_WEBUI_VERSION}}) е по-ниска от необходимата версия (v{{REQUIRED_VERSION}})", - "OpenAI": "OpenAI", - "OpenAI API": "OpenAI API", - "OpenAI API Config": "OpenAI API конфигурация", - "OpenAI API Key is required.": "OpenAI API ключ е задължителен.", - "OpenAI API settings updated": "Настройките на OpenAI API са актуализирани", - "OpenAI URL/Key required.": "OpenAI URL/Key е задължителен.", - "or": "или", - "Organize your users": "Организирайте вашите потребители", - "Other": "Друго", - "OUTPUT": "ИЗХОД", - "Output format": "Изходен формат", - "Overview": "Преглед", - "page": "страница", - "Password": "Парола", - "Paste Large Text as File": "Поставете голям текст като файл", - "PDF document (.pdf)": "PDF документ (.pdf)", - "PDF Extract Images (OCR)": "Извличане на изображения от PDF (OCR)", - "pending": "в очакване", - "Permission denied when accessing media devices": "Отказан достъп при опит за достъп до медийни устройства", - "Permission denied when accessing microphone": "Отказан достъп при опит за достъп до микрофона", - "Permission denied when accessing microphone: {{error}}": "Отказан достъп при опит за достъп до микрофона: {{error}}", - "Permissions": "Разрешения", - "Personalization": "Персонализация", - "Pin": "Закачи", - "Pinned": "Закачено", - "Pioneer insights": "Пионерски прозрения", - "Pipeline deleted successfully": "Пайплайнът е изтрит успешно", - "Pipeline downloaded successfully": "Пайплайнът е изтеглен успешно", - "Pipelines": "Пайплайни", - "Pipelines Not Detected": "Не са открити пайплайни", - "Pipelines Valves": "Клапани на пайплайни", - "Plain text (.txt)": "Обикновен текст (.txt)", - "Playground": "Плейграунд", - "Please carefully review the following warnings:": "Моля, внимателно прегледайте следните предупреждения:", - "Please do not close the settings page while loading the model.": "Моля, не затваряйте страницата с настройки, докато моделът се зарежда.", - "Please enter a prompt": "Моля, въведете промпт", - "Please fill in all fields.": "Моля, попълнете всички полета.", - "Please select a model first.": "Моля, първо изберете модел.", - "Please select a model.": "Моля, изберете модел.", - "Please select a reason": "Моля, изберете причина", - "Port": "Порт", - "Positive attitude": "Позитивно отношение", - "Prefix ID": "Префикс ID", - "Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Префикс ID се използва за избягване на конфликти с други връзки чрез добавяне на префикс към ID-тата на моделите - оставете празно, за да деактивирате", - "Presence Penalty": "Наказание за присъствие", - "Previous 30 days": "Предишните 30 дни", - "Previous 7 days": "Предишните 7 дни", - "Profile Image": "Профилна снимка", - "Prompt": "Промпт", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр. Кажи ми забавен факт за Римската империя)", - "Prompt Content": "Съдържание на промпта", - "Prompt created successfully": "Промптът е създаден успешно", - "Prompt suggestions": "Промпт предложения", - "Prompt updated successfully": "Промптът е актуализиран успешно", - "Prompts": "Промптове", - "Prompts Access": "Достъп до промптове", - "Proxy URL": "URL на прокси", - "Pull \"{{searchValue}}\" from Ollama.com": "Извади \"{{searchValue}}\" от Ollama.com", - "Pull a model from Ollama.com": "Издърпайте модел от Ollama.com", - "Query Generation Prompt": "Промпт за генериране на запитвания", - "Query Params": "Параметри на запитването", - "RAG Template": "RAG Шаблон", - "Rating": "Оценка", - "Re-rank models by topic similarity": "Преоценка на моделите по сходство на темата", - "Read": "Четене", - "Read Aloud": "Прочети на глас", - "Reasoning Effort": "Усилие за разсъждение", - "Record voice": "Записване на глас", - "Redirecting you to Open WebUI Community": "Пренасочване към OpenWebUI общността", - "Reduces the probability of generating nonsense. A higher value (e.g. 100) will give more diverse answers, while a lower value (e.g. 10) will be more conservative. (Default: 40)": "Намалява вероятността за генериране на безсмислици. По-висока стойност (напр. 100) ще даде по-разнообразни отговори, докато по-ниска стойност (напр. 10) ще бъде по-консервативна. (По подразбиране: 40)", - "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Отнасяйте се към себе си като \"Потребител\" (напр. \"Потребителят учи испански\")", - "References from": "Препратки от", - "Refused when it shouldn't have": "Отказано, когато не трябва да бъде", - "Regenerate": "Регенериране", - "Release Notes": "Бележки по изданието", - "Relevance": "Релевантност", - "Remove": "Изтриване", - "Remove Model": "Изтриване на модела", - "Rename": "Преименуване", - "Reorder Models": "Преорганизиране на модели", - "Repeat Last N": "Повтори последните N", - "Repeat Penalty (Ollama)": "Наказание за повторение (Ollama)", - "Reply in Thread": "Отговори в тред", - "Request Mode": "Режим на заявка", - "Reranking Model": "Модел за преподреждане", - "Reranking model disabled": "Моделът за преподреждане е деактивиран", - "Reranking model set to \"{{reranking_model}}\"": "Моделът за преподреждане е зададен на \"{{reranking_model}}\"", - "Reset": "Нулиране", - "Reset All Models": "Нулиране на всички модели", - "Reset Upload Directory": "Нулиране на директорията за качване", - "Reset Vector Storage/Knowledge": "Нулиране на векторното хранилище/знания", - "Reset view": "Нулиране на изгледа", - "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Известията за отговори не могат да бъдат активирани, тъй като разрешенията за уебсайта са отказани. Моля, посетете настройките на вашия браузър, за да дадете необходимия достъп.", - "Response splitting": "Разделяне на отговора", - "Result": "Резултат", - "Retrieval Query Generation": "Генериране на заявка за извличане", - "Rich Text Input for Chat": "Богат текстов вход за чат", - "RK": "RK", - "Role": "Роля", - "Rosé Pine": "Rosé Pine", - "Rosé Pine Dawn": "Rosé Pine Dawn", - "RTL": "RTL", - "Run": "Изпълни", - "Running": "Изпълнява се", - "Save": "Запис", - "Save & Create": "Запис & Създаване", - "Save & Update": "Запис & Актуализиране", - "Save As Copy": "Запиши като копие", - "Save Tag": "Запиши таг", - "Saved": "Запазено", - "Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Запазването на чат логове директно в хранилището на вашия браузър вече не се поддържа. Моля, отделете малко време, за да изтеглите и изтриете чат логовете си, като щракнете върху бутона по-долу. Не се притеснявайте, можете лесно да импортирате отново чат логовете си в бекенда чрез", - "Scroll to bottom when switching between branches": "Превъртане до дъното при превключване между клонове", - "Search": "Търси", - "Search a model": "Търси модел", - "Search Base": "База за търсене", - "Search Chats": "Търсене на чатове", - "Search Collection": "Търсене в колекция", - "Search Filters": "Филтри за търсене", - "search for tags": "търсене на тагове", - "Search Functions": "Търсене на функции", - "Search Knowledge": "Търсене в знания", - "Search Models": "Търсене на модели", - "Search options": "Опции за търсене", - "Search Prompts": "Търси Промптове", - "Search Result Count": "Брой резултати от търсенето", - "Search the internet": "Търсене в интернет", - "Search Tools": "Инструменти за търсене", - "SearchApi API Key": "API ключ за SearchApi", - "SearchApi Engine": "Двигател на SearchApi", - "Searched {{count}} sites": "Претърсени {{count}} сайта", - "Searching \"{{searchQuery}}\"": "Търсене на \"{{searchQuery}}\"", - "Searching Knowledge for \"{{searchQuery}}\"": "Търсене в знанията за \"{{searchQuery}}\"", - "Searxng Query URL": "URL адрес на заявка на Searxng", - "See readme.md for instructions": "Виж readme.md за инструкции", - "See what's new": "Виж какво е новото", - "Seed": "Начално число", - "Select a base model": "Изберете базов модел", - "Select a engine": "Изберете двигател", - "Select a function": "Изберете функция", - "Select a group": "Изберете група", - "Select a model": "Изберете модел", - "Select a pipeline": "Изберете пайплайн", - "Select a pipeline url": "Избор на URL адрес на канал", - "Select a tool": "Изберете инструмент", - "Select an auth method": "Изберете метод за удостоверяване", - "Select an Ollama instance": "Изберете инстанция на Ollama", - "Select Engine": "Изберете двигател", - "Select Knowledge": "Изберете знание", - "Select model": "Изберете модел", - "Select only one model to call": "Изберете само един модел за извикване", - "Selected model(s) do not support image inputs": "Избраният(те) модел(и) не поддържа въвеждане на изображения", - "Semantic distance to query": "Семантично разстояние до заявката", - "Send": "Изпрати", - "Send a Message": "Изпращане на Съобщение", - "Send message": "Изпращане на съобщение", - "Sends stream_options: { include_usage: true } in the request.\nSupported providers will return token usage information in the response when set.": "Изпраща stream_options: { include_usage: true } в заявката.\nПоддържаните доставчици ще върнат информация за използването на токени в отговора, когато е зададено.", - "September": "Септември", - "SerpApi API Key": "API ключ за SerpApi", - "SerpApi Engine": "Двигател на SerpApi", - "Serper API Key": "Serper API ключ", - "Serply API Key": "API ключ за Serply", - "Serpstack API Key": "Serpstack API ключ", - "Server connection verified": "Връзката със сървъра е потвърдена", - "Set as default": "Задай по подразбиране", - "Set CFG Scale": "Задай CFG мащаб", - "Set Default Model": "Задай Модел По Подразбиране", - "Set embedding model": "Задай модел за вграждане", - "Set embedding model (e.g. {{model}})": "Задай модел за вграждане (напр. {{model}})", - "Set Image Size": "Задай Размер на Изображението", - "Set reranking model (e.g. {{model}})": "Задай модел за преподреждане (напр. {{model}})", - "Set Sampler": "Задай семплер", - "Set Scheduler": "Задай планировчик", - "Set Steps": "Задай Стъпки", - "Set Task Model": "Задаване на модел на задача", - "Set the number of layers, which will be off-loaded to GPU. Increasing this value can significantly improve performance for models that are optimized for GPU acceleration but may also consume more power and GPU resources.": "Задайте броя слоеве, които ще бъдат прехвърлени към GPU. Увеличаването на тази стойност може значително да подобри производителността за модели, оптимизирани за GPU ускорение, но може също да консумира повече енергия и GPU ресурси.", - "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте броя работни нишки, използвани за изчисления. Тази опция контролира колко нишки се използват за едновременна обработка на входящи заявки. Увеличаването на тази стойност може да подобри производителността при високи натоварвания с паралелизъм, но може също да консумира повече CPU ресурси.", - "Set Voice": "Задай Глас", - "Set whisper model": "Задай модел на шепот", - "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled. (Default: 0)": "Задава плоско отклонение срещу токени, които са се появили поне веднъж. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 0.9) ще бъде по-снизходителна. При 0 е деактивирано. (По подразбиране: 0)", - "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled. (Default: 1.1)": "Задава мащабиращо отклонение срещу токени за наказване на повторения, базирано на това колко пъти са се появили. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 0.9) ще бъде по-снизходителна. При 0 е деактивирано. (По подразбиране: 1.1)", - "Sets how far back for the model to look back to prevent repetition. (Default: 64, 0 = disabled, -1 = num_ctx)": "Задава колко назад моделът да гледа, за да предотврати повторение. (По подразбиране: 64, 0 = деактивирано, -1 = num_ctx)", - "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt. (Default: random)": "Задава семето на случайното число, което да се използва за генериране. Задаването на конкретно число ще накара модела да генерира същия текст за същата подкана. (По подразбиране: случайно)", - "Sets the size of the context window used to generate the next token. (Default: 2048)": "Задава размера на контекстния прозорец, използван за генериране на следващия токен. (По подразбиране: 2048)", - "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Задава последователностите за спиране, които да се използват. Когато се срещне този модел, LLM ще спре да генерира текст и ще се върне. Множество модели за спиране могат да бъдат зададени чрез определяне на множество отделни параметри за спиране в моделния файл.", - "Settings": "Настройки", - "Settings saved successfully!": "Настройките са запазени успешно!", - "Share": "Подели", - "Share Chat": "Подели Чат", - "Share to Open WebUI Community": "Споделете с OpenWebUI Общността", - "Show": "Покажи", - "Show \"What's New\" modal on login": "Покажи модалния прозорец \"Какво е ново\" при вписване", - "Show Admin Details in Account Pending Overlay": "Покажи детайлите на администратора в наслагването на изчакващ акаунт", - "Show shortcuts": "Покажи преки пътища", - "Show your support!": "Покажете вашата подкрепа!", - "Showcased creativity": "Показана креативност", - "Sign in": "Вписване", - "Sign in to {{WEBUI_NAME}}": "Впишете се в {{WEBUI_NAME}}", - "Sign in to {{WEBUI_NAME}} with LDAP": "Впишете се в {{WEBUI_NAME}} с LDAP", - "Sign Out": "Изход", - "Sign up": "Регистрация", - "Sign up to {{WEBUI_NAME}}": "Регистрирайте се в {{WEBUI_NAME}}", - "Signing in to {{WEBUI_NAME}}": "Вписване в {{WEBUI_NAME}}", - "sk-1234": "sk-1234", - "Source": "Източник", - "Speech Playback Speed": "Скорост на възпроизвеждане на речта", - "Speech recognition error: {{error}}": "Грешка при разпознаване на реч: {{error}}", - "Speech-to-Text Engine": "Двигател за преобразуване на реч в текст", - "Stop": "Спри", - "Stop Sequence": "Стоп последователност", - "Stream Chat Response": "Поточен чат отговор", - "STT Model": "STT Модел", - "STT Settings": "STT Настройки", - "Subtitle (e.g. about the Roman Empire)": "Подтитул (напр. за Римска империя)", - "Success": "Успех", - "Successfully updated.": "Успешно обновено.", - "Suggested": "Препоръчано", - "Support": "Поддръжка", - "Support this plugin:": "Подкрепете този плъгин:", - "Sync directory": "Синхронизирай директория", - "System": "Система", - "System Instructions": "Системни инструкции", - "System Prompt": "Системен Промпт", - "Tags Generation": "Генериране на тагове", - "Tags Generation Prompt": "Промпт за генериране на тагове", - "Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "Безопашковото семплиране се използва за намаляване на влиянието на по-малко вероятните токени от изхода. По-висока стойност (напр. 2.0) ще намали влиянието повече, докато стойност 1.0 деактивира тази настройка. (по подразбиране: 1)", - "Tap to interrupt": "Докоснете за прекъсване", - "Tasks": "Задачи", - "Tavily API Key": "Tavily API Ключ", - "Tell us more:": "Повече информация:", - "Temperature": "Температура", - "Template": "Шаблон", - "Temporary Chat": "Временен чат", - "Text Splitter": "Разделител на текст", - "Text-to-Speech Engine": "Двигател за преобразуване на текст в реч", - "Tfs Z": "Tfs Z", - "Thanks for your feedback!": "Благодарим ви за вашия отзив!", - "The Application Account DN you bind with for search": "DN на акаунта на приложението, с който се свързвате за търсене", - "The base to search for users": "Базата за търсене на потребители", - "The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory. (Default: 512)": "Размерът на партидата определя колко текстови заявки се обработват заедно наведнъж. По-голям размер на партидата може да увеличи производителността и скоростта на модела, но изисква и повече памет. (По подразбиране: 512)", - "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Разработчиците зад този плъгин са страстни доброволци от общността. Ако намирате този плъгин полезен, моля, обмислете да допринесете за неговото развитие.", - "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Класацията за оценка се базира на рейтинговата система Elo и се обновява в реално време.", - "The LDAP attribute that maps to the mail that users use to sign in.": "LDAP атрибутът, който съответства на имейла, който потребителите използват за вписване.", - "The LDAP attribute that maps to the username that users use to sign in.": "LDAP атрибутът, който съответства на потребителското име, което потребителите използват за вписване.", - "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Класацията в момента е в бета версия и може да коригираме изчисленията на рейтинга, докато усъвършенстваме алгоритъма.", - "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "Максималният размер на файла в MB. Ако размерът на файла надвишава този лимит, файлът няма да бъде качен.", - "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "Максималният брой файлове, които могат да се използват едновременно в чата. Ако броят на файловете надвишава този лимит, файловете няма да бъдат качени.", - "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Резултатът трябва да бъде стойност между 0.0 (0%) и 1.0 (100%).", - "The temperature of the model. Increasing the temperature will make the model answer more creatively. (Default: 0.8)": "Температурата на модела. Увеличаването на температурата ще накара модела да отговаря по-креативно. (По подразбиране: 0.8)", - "Theme": "Тема", - "Thinking...": "Мисля...", - "This action cannot be undone. Do you wish to continue?": "Това действие не може да бъде отменено. Желаете ли да продължите?", - "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!", - "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Това е експериментална функция, може да не работи според очакванията и подлежи на промяна по всяко време.", - "This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics. (Default: 24)": "Тази опция контролира колко токена се запазват при обновяване на контекста. Например, ако е зададено на 2, последните 2 токена от контекста на разговора ще бъдат запазени. Запазването на контекста може да помогне за поддържане на непрекъснатостта на разговора, но може да намали способността за отговор на нови теми. (По подразбиране: 24)", - "This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated. (Default: 128)": "Тази опция задава максималния брой токени, които моделът може да генерира в своя отговор. Увеличаването на този лимит позволява на модела да предоставя по-дълги отговори, но може също да увеличи вероятността от генериране на безполезно или неуместно съдържание. (По подразбиране: 128)", - "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Тази опция ще изтрие всички съществуващи файлове в колекцията и ще ги замени с новокачени файлове.", - "This response was generated by \"{{model}}\"": "Този отговор беше генериран от \"{{model}}\"", - "This will delete": "Това ще изтрие", - "This will delete {{NAME}} and all its contents.": "Това ще изтрие {{NAME}} и цялото му съдържание.", - "This will delete all models including custom models": "Това ще изтрие всички модели, включително персонализираните модели", - "This will delete all models including custom models and cannot be undone.": "Това ще изтрие всички модели, включително персонализираните модели, и не може да бъде отменено.", - "This will reset the knowledge base and sync all files. Do you wish to continue?": "Това ще нулира базата знания и ще синхронизира всички файлове. Желаете ли да продължите?", - "Thorough explanation": "Подробно обяснение", - "Thought for {{DURATION}}": "Мислил за {{DURATION}}", - "Thought for {{DURATION}} seconds": "Мислил за {{DURATION}} секунди", - "Tika": "Tika", - "Tika Server URL required.": "Изисква се URL адрес на Tika сървъра.", - "Tiktoken": "Tiktoken", - "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Съвет: Актуализирайте няколко слота за променливи последователно, като натискате клавиша Tab в чат входа след всяка подмяна.", - "Title": "Заглавие", - "Title (e.g. Tell me a fun fact)": "Заглавие (напр. Кажете ми нещо забавно)", - "Title Auto-Generation": "Автоматично генериране на заглавие", - "Title cannot be an empty string.": "Заглавието не може да бъде празно.", - "Title Generation": "Генериране на заглавие", - "Title Generation Prompt": "Промпт за генериране на заглавие", - "TLS": "TLS", - "To access the available model names for downloading,": "За достъп до наличните имена на модели за изтегляне,", - "To access the GGUF models available for downloading,": "За достъп до наличните GGUF модели за изтегляне,", - "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "За достъп до уеб интерфейса, моля, свържете се с администратора. Администраторите могат да управляват статусите на потребителите от Административния панел.", - "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "За да прикачите база знания тук, първо ги добавете към работното пространство \"Знания\".", - "To learn more about available endpoints, visit our documentation.": "За да научите повече за наличните крайни точки, посетете нашата документация.", - "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "За да защитим вашата поверителност, от вашата обратна връзка се споделят само оценки, идентификатори на модели, тагове и метаданни—вашите чат логове остават лични и не са включени.", - "To select actions here, add them to the \"Functions\" workspace first.": "За да изберете действия тук, първо ги добавете към работното пространство \"Функции\".", - "To select filters here, add them to the \"Functions\" workspace first.": "За да изберете филтри тук, първо ги добавете към работното пространство \"Функции\".", - "To select toolkits here, add them to the \"Tools\" workspace first.": "За да изберете инструменти тук, първо ги добавете към работното пространство \"Инструменти\".", - "Toast notifications for new updates": "Изскачащи известия за нови актуализации", - "Today": "Днес", - "Toggle settings": "Превключване на настройките", - "Toggle sidebar": "Превключване на страничната лента", - "Token": "Токен", - "Tokens To Keep On Context Refresh (num_keep)": "Токени за запазване при обновяване на контекста (num_keep)", - "Too verbose": "Прекалено многословно", - "Tool created successfully": "Инструментът е създаден успешно", - "Tool deleted successfully": "Инструментът е изтрит успешно", - "Tool Description": "Описание на инструмента", - "Tool ID": "ID на инструмента", - "Tool imported successfully": "Инструментът е импортиран успешно", - "Tool Name": "Име на инструмента", - "Tool updated successfully": "Инструментът е актуализиран успешно", - "Tools": "Инструменти", - "Tools Access": "Достъп до инструменти", - "Tools are a function calling system with arbitrary code execution": "Инструментите са система за извикване на функции с произволно изпълнение на код", - "Tools Function Calling Prompt": "Промпт за извикване на функции на инструментите", - "Tools have a function calling system that allows arbitrary code execution": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код", - "Tools have a function calling system that allows arbitrary code execution.": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код.", - "Top K": "Топ K", - "Top P": "Топ P", - "Transformers": "Трансформатори", - "Trouble accessing Ollama?": "Проблеми с достъпа до Ollama?", - "TTS Model": "TTS Модел", - "TTS Settings": "TTS Настройки", - "TTS Voice": "TTS Глас", - "Type": "Вид", - "Type Hugging Face Resolve (Download) URL": "Въведете Hugging Face Resolve (Download) URL", - "Uh-oh! There was an issue with the response.": "Ох! Имаше проблем с отговора.", - "UI": "Потребителски интерфейс", - "Unarchive All": "Разархивирай всички", - "Unarchive All Archived Chats": "Разархивирай всички архивирани чатове", - "Unarchive Chat": "Разархивирай чат", - "Unlock mysteries": "Разкрий мистерии", - "Unpin": "Откачи", - "Unravel secrets": "Разгадай тайни", - "Untagged": "Без етикет", - "Update": "Актуализиране", - "Update and Copy Link": "Обнови и копирай връзка", - "Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.", - "Update password": "Обновяване на парола", - "Updated": "Актуализирано", - "Updated at": "Актуализирано на", - "Updated At": "Актуализирано на", - "Upgrade to a licensed plan for enhanced capabilities, including custom theming and branding, and dedicated support.": "Надградете до лицензиран план за разширени възможности, включително персонализирани теми и брандиране, и специализирана поддръжка.", - "Upload": "Качване", - "Upload a GGUF model": "Качване на GGUF модел", - "Upload directory": "Качване на директория", - "Upload files": "Качване на файлове", - "Upload Files": "Качване на файлове", - "Upload Pipeline": "Качване на конвейер", - "Upload Progress": "Прогрес на качването", - "URL": "URL", - "URL Mode": "URL режим", - "Use '#' in the prompt input to load and include your knowledge.": "Използвайте '#' в полето за въвеждане, за да заредите и включите вашите знания.", - "Use Gravatar": "Използвайте Gravatar", - "Use groups to group your users and assign permissions.": "Използвайте групи, за да групирате вашите потребители и да присвоите разрешения.", - "Use Initials": "Използвайте инициали", - "use_mlock (Ollama)": "use_mlock (Ollama)", - "use_mmap (Ollama)": "use_mmap (Ollama)", - "user": "потребител", - "User": "Потребител", - "User location successfully retrieved.": "Местоположението на потребителя е успешно извлечено.", - "Username": "Потребителско име", - "Users": "Потребители", - "Using the default arena model with all models. Click the plus button to add custom models.": "Използване на стандартния арена модел с всички модели. Кликнете бутона плюс, за да добавите персонализирани модели.", - "Utilize": "Използване", - "Valid time units:": "Валидни единици за време:", - "Valves": "Клапани", - "Valves updated": "Клапаните са актуализирани", - "Valves updated successfully": "Клапаните са актуализирани успешно", - "variable": "променлива", - "variable to have them replaced with clipboard content.": "променлива, за да бъдат заменени със съдържанието от клипборда.", - "Version": "Версия", - "Version {{selectedVersion}} of {{totalVersions}}": "Версия {{selectedVersion}} от {{totalVersions}}", - "View Replies": "Преглед на отговорите", - "Visibility": "Видимост", - "Voice": "Глас", - "Voice Input": "Гласов вход", - "Warning": "Предупреждение", - "Warning:": "Предупреждение:", - "Warning: Enabling this will allow users to upload arbitrary code on the server.": "Предупреждение: Активирането на това ще позволи на потребителите да качват произволен код на сървъра.", - "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Ако актуализирате или промените вашия модел за вграждане, трябва да повторите импортирането на всички документи.", - "Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Предупреждение: Изпълнението на Jupyter позволява произволно изпълнение на код, което представлява сериозни рискове за сигурността—продължете с изключително внимание.", - "Web": "Уеб", - "Web API": "Уеб API", - "Web Loader Settings": "Настройки за зареждане на уеб", - "Web Search": "Търсене в уеб", - "Web Search Engine": "Уеб търсачка", - "Web Search in Chat": "Уеб търсене в чата", - "Web Search Query Generation": "Генериране на заявки за уеб търсене", - "Webhook URL": "Уебхук URL", - "WebUI Settings": "WebUI Настройки", - "WebUI URL": "WebUI URL", - "WebUI will make requests to \"{{url}}/api/chat\"": "WebUI ще прави заявки към \"{{url}}/api/chat\"", - "WebUI will make requests to \"{{url}}/chat/completions\"": "WebUI ще прави заявки към \"{{url}}/chat/completions\"", - "What are you trying to achieve?": "Какво се опитвате да постигнете?", - "What are you working on?": "Върху какво работите?", - "What's New in": "Какво е новото в", - "When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "Когато е активирано, моделът ще отговаря на всяко съобщение в чата в реално време, генерирайки отговор веднага щом потребителят изпрати съобщение. Този режим е полезен за приложения за чат на живо, но може да повлияе на производителността на по-бавен хардуер.", - "wherever you are": "където и да сте", - "Whisper (Local)": "Whisper (Локално)", - "Why?": "Защо?", - "Widescreen Mode": "Широкоекранен режим", - "Won": "Спечелено", - "Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "Работи заедно с top-k. По-висока стойност (напр. 0.95) ще доведе до по-разнообразен текст, докато по-ниска стойност (напр. 0.5) ще генерира по-фокусиран и консервативен текст. (По подразбиране: 0.9)", - "Workspace": "Работно пространство", - "Workspace Permissions": "Разрешения за работното пространство", - "Write": "Напиши", - "Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)", - "Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 думи, което обобщава [тема или ключова дума].", - "Write something...": "Напишете нещо...", - "Write your model template content here": "Напишете съдържанието на вашия шаблон за модел тук", - "Yesterday": "вчера", - "You": "Вие", - "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Можете да чатите с максимум {{maxCount}} файл(а) наведнъж.", - "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Можете да персонализирате взаимодействията си с LLM-и, като добавите спомени чрез бутона 'Управление' по-долу, правейки ги по-полезни и съобразени с вас.", - "You cannot upload an empty file.": "Не можете да качите празен файл.", - "You do not have permission to access this feature.": "Нямате разрешение за достъп до тази функция.", - "You do not have permission to upload files": "Нямате разрешение да качвате файлове", - "You do not have permission to upload files.": "Нямате разрешение да качвате файлове.", - "You have no archived conversations.": "Нямате архивирани разговори.", - "You have shared this chat": "Вие сте споделили този чат", - "You're a helpful assistant.": "Вие сте полезен асистент.", - "You're now logged in.": "Сега вие влязохте в системата.", - "Your account status is currently pending activation.": "Статусът на вашия акаунт в момента очаква активиране.", - "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "Цялата ви вноска ще отиде директно при разработчика на плъгина; Open WebUI не взима никакъв процент. Въпреки това, избраната платформа за финансиране може да има свои собствени такси.", - "Youtube": "Youtube", - "Youtube Loader Settings": "Настройки за зареждане от Youtube" + "-1 for no limit, or a positive integer for a specific limit": "-1 за липса на ограничение или положително цяло число за определено ограничение.", + "'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w' или '-1' за неограничен срок.", + "(e.g. `sh webui.sh --api --api-auth username_password`)": "(напр. `sh webui.sh --api --api-auth username_password`)", + "(e.g. `sh webui.sh --api`)": "(напр. `sh webui.sh --api`)", + "(latest)": "(последна)", + "{{ models }}": "{{ models }}", + "{{COUNT}} Replies": "{{COUNT}} Отговори", + "{{user}}'s Chats": "{{user}}'s чатове", + "{{webUIName}} Backend Required": "{{webUIName}} Изисква се Бекенд", + "*Prompt node ID(s) are required for image generation": "*Идентификаторът(ите) на node-а се изисква(т) за генериране на изображения", + "A new version (v{{LATEST_VERSION}}) is now available.": "Вече е налична нова версия (v{{LATEST_VERSION}}).", + "A task model is used when performing tasks such as generating titles for chats and web search queries": "Моделът на задачите се използва при изпълнение на задачи като генериране на заглавия за чатове и заявки за търсене в мрежата", + "a user": "потребител", + "About": "Относно", + "Access": "Достъп", + "Access Control": "Контрол на достъпа", + "Accessible to all users": "Достъпно за всички потребители", + "Account": "Акаунт", + "Account Activation Pending": "Активирането на акаунта е в процес на изчакване", + "Accurate information": "Точна информация", + "Actions": "Действия", + "Activate": "Активиране", + "Activate this command by typing \"/{{COMMAND}}\" to chat input.": "Активирайте тази команда, като въведете \"/{{COMMAND}}\" в полето за чат.", + "Active Users": "Активни потребители", + "Add": "Добавяне", + "Add a model ID": "Добавете ID на модел", + "Add a short description about what this model does": "Добавете кратко описание за това какво прави този модел", + "Add a tag": "Добавяне на таг", + "Add Arena Model": "Добавяне на Arena модел", + "Add Connection": "Добавяне на връзка", + "Add Content": "Добавяне на съдържание", + "Add content here": "Добавете съдържание тук", + "Add custom prompt": "Добавяне на собствен промпт", + "Add Files": "Добавяне на Файлове", + "Add Group": "Добавяне на група", + "Add Memory": "Добавяне на Памет", + "Add Model": "Добавяне на Модел", + "Add Reaction": "Добавяне на реакция", + "Add Tag": "Добавяне на таг", + "Add Tags": "Добавяне на тагове", + "Add text content": "Добавяне на текстово съдържание", + "Add User": "Добавяне на потребител", + "Add User Group": "Добавяне на потребителска група", + "Adjusting these settings will apply changes universally to all users.": "При промяна на тези настройки промените се прилагат за всички потребители.", + "admin": "админ", + "Admin": "Администратор", + "Admin Panel": "Панел на Администратор", + "Admin Settings": "Настройки на Администратор", + "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Администраторите имат достъп до всички инструменти по всяко време; потребителите се нуждаят от инструменти, присвоени за всеки модел в работното пространство.", + "Advanced Parameters": "Разширени Параметри", + "Advanced Params": "Разширени параметри", + "All Documents": "Всички Документи", + "All models deleted successfully": "Всички модели са изтрити успешно", + "Allow Chat Controls": "Разреши контроли на чата", + "Allow Chat Delete": "Разреши изтриване на чат", + "Allow Chat Deletion": "Позволи Изтриване на Чат", + "Allow Chat Edit": "Разреши редактиране на чат", + "Allow File Upload": "Разреши качване на файлове", + "Allow non-local voices": "Разреши нелокални гласове", + "Allow Temporary Chat": "Разреши временен чат", + "Allow User Location": "Разреши местоположение на потребителя", + "Allow Voice Interruption in Call": "Разреши прекъсване на гласа по време на разговор", + "Allowed Endpoints": "Разрешени крайни точки", + "Already have an account?": "Вече имате акаунт?", + "Alternative to the top_p, and aims to ensure a balance of quality and variety. The parameter p represents the minimum probability for a token to be considered, relative to the probability of the most likely token. For example, with p=0.05 and the most likely token having a probability of 0.9, logits with a value less than 0.045 are filtered out. (Default: 0.0)": "Алтернатива на top_p, която цели да осигури баланс между качество и разнообразие. Параметърът p представлява минималната вероятност за разглеждане на токен, спрямо вероятността на най-вероятния токен. Например, при p=0.05 и най-вероятен токен с вероятност 0.9, логитите със стойност по-малка от 0.045 се филтрират. (По подразбиране: 0.0)", + "Always": "Винаги", + "Amazing": "Невероятно", + "an assistant": "асистент", + "Analyzed": "Анализирано", + "Analyzing...": "Анализиране...", + "and": "и", + "and {{COUNT}} more": "и още {{COUNT}}", + "and create a new shared link.": "и създай нов общ линк.", + "API Base URL": "API Базов URL", + "API Key": "API Ключ", + "API Key created.": "API Ключ създаден.", + "API Key Endpoint Restrictions": "Ограничения на крайните точки за API Ключ", + "API keys": "API Ключове", + "Application DN": "DN на приложението", + "Application DN Password": "Парола за DN на приложението", + "applies to all users with the \"user\" role": "прилага се за всички потребители с роля \"потребител\"", + "April": "Април", + "Archive": "Архивирани Чатове", + "Archive All Chats": "Архив Всички чатове", + "Archived Chats": "Архивирани Чатове", + "archived-chat-export": "експорт-на-архивирани-чатове", + "Are you sure you want to delete this channel?": "Сигурни ли сте, че искате да изтриете този канал?", + "Are you sure you want to delete this message?": "Сигурни ли сте, че искате да изтриете това съобщение?", + "Are you sure you want to unarchive all archived chats?": "Сигурни ли сте, че искате да разархивирате всички архивирани чатове?", + "Are you sure?": "Сигурни ли сте?", + "Arena Models": "Arena Модели", + "Artifacts": "Артефакти", + "Ask a question": "Задайте въпрос", + "Assistant": "Асистент", + "Attach file": "Прикачване на файл", + "Attention to detail": "Внимание към детайлите", + "Attribute for Mail": "Атрибут за поща", + "Attribute for Username": "Атрибут за потребителско име", + "Audio": "Аудио", + "August": "Август", + "Authenticate": "Удостоверяване", + "Authentication": "Автентикация", + "Auto-Copy Response to Clipboard": "Автоматично копиране на отговор в клипборда", + "Auto-playback response": "Автоматично възпроизвеждане на отговора", + "Autocomplete Generation": "Генериране на автоматично довършване", + "Autocomplete Generation Input Max Length": "Максимална дължина на входа за генериране на автоматично довършване", + "Automatic1111": "Automatic1111", + "AUTOMATIC1111 Api Auth String": "AUTOMATIC1111 Api Auth низ", + "AUTOMATIC1111 Base URL": "AUTOMATIC1111 Базов URL", + "AUTOMATIC1111 Base URL is required.": "AUTOMATIC1111 Базов URL е задължителен.", + "Available list": "Наличен списък", + "available!": "наличен!", + "Awful": "Ужасно", + "Azure AI Speech": "Azure AI Реч", + "Azure Region": "Azure Регион", + "Back": "Назад", + "Bad Response": "Невалиден отговор от API", + "Banners": "Банери", + "Base Model (From)": "Базов модел (от)", + "Batch Size (num_batch)": "Размер на партидата (num_batch)", + "before": "преди", + "Being lazy": "Да бъдеш мързелив", + "Beta": "Бета", + "Bing Search V7 Endpoint": "Крайна точка за Bing Search V7", + "Bing Search V7 Subscription Key": "Абонаментен ключ за Bing Search V7", + "Bocha Search API Key": "API ключ за Bocha Search", + "Brave Search API Key": "API ключ за Brave Search", + "By {{name}}": "От {{name}}", + "Bypass SSL verification for Websites": "Изключване на SSL проверката за сайтове", + "Calendar": "Календар", + "Call": "Обаждане", + "Call feature is not supported when using Web STT engine": "Функцията за обаждане не се поддържа при използване на Web STT двигател", + "Camera": "Камера", + "Cancel": "Отказ", + "Capabilities": "Възможности", + "Capture": "Заснемане", + "Certificate Path": "Път до сертификата", + "Change Password": "Промяна на Парола", + "Channel Name": "Име на канала", + "Channels": "Канали", + "Character": "Герой", + "Character limit for autocomplete generation input": "Ограничение на символите за входа на генериране на автоматично довършване", + "Chart new frontiers": "Начертайте нови граници", + "Chat": "Чат", + "Chat Background Image": "Фоново изображение на чата", + "Chat Bubble UI": "UI за чат балон", + "Chat Controls": "Контроли на чата", + "Chat direction": "Направление на чата", + "Chat Overview": "Преглед на чата", + "Chat Permissions": "Разрешения за чат", + "Chat Tags Auto-Generation": "Автоматично генериране на тагове за чат", + "Chats": "Чатове", + "Check Again": "Проверете Още Веднъж", + "Check for updates": "Проверка за актуализации", + "Checking for updates...": "Проверка за актуализации...", + "Choose a model before saving...": "Изберете модел преди запазване...", + "Chunk Overlap": "Припокриване на чънкове", + "Chunk Params": "Параметри на чънковете", + "Chunk Size": "Размер на чънк", + "Ciphers": "Шифри", + "Citation": "Цитат", + "Clear memory": "Изчистване на паметта", + "click here": "натиснете тук", + "Click here for filter guides.": "Натиснете тук за ръководства за филтриране.", + "Click here for help.": "Натиснете тук за помощ.", + "Click here to": "Натиснете тук, за да", + "Click here to download user import template file.": "Натиснете тук, за да изтеглите шаблонния файл за импортиране на потребители.", + "Click here to learn more about faster-whisper and see the available models.": "Натиснете тук, за да научите повече за faster-whisper и да видите наличните модели.", + "Click here to see available models.": "Натиснете тук, за да видите наличните модели.", + "Click here to select": "Натиснете тук, за да изберете", + "Click here to select a csv file.": "Натиснете тук, за да изберете csv файл.", + "Click here to select a py file.": "Натиснете тук, за да изберете py файл.", + "Click here to upload a workflow.json file.": "Натиснете тук, за да качите workflow.json файл.", + "click here.": "натиснете тук.", + "Click on the user role button to change a user's role.": "Натиснете върху бутона за промяна на ролята на потребителя.", + "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "Разрешението за запис в клипборда е отказано. Моля, проверете настройките на браузъра си, за да предоставите необходимия достъп.", + "Clone": "Клонинг", + "Clone Chat": "Клониране на чат", + "Clone of {{TITLE}}": "Клонинг на {{TITLE}}", + "Close": "Затвори", + "Code execution": "Изпълнение на код", + "Code Execution": "Изпълнение на код", + "Code Execution Engine": "Двигател за изпълнение на код", + "Code Execution Timeout": "", + "Code formatted successfully": "Кодът е форматиран успешно", + "Code Interpreter": "Интерпретатор на код", + "Code Interpreter Engine": "Двигател на интерпретатора на код", + "Code Interpreter Prompt Template": "Шаблон за промпт на интерпретатора на код", + "Collection": "Колекция", + "Color": "Цвят", + "ComfyUI": "ComfyUI", + "ComfyUI API Key": "ComfyUI API Ключ", + "ComfyUI Base URL": "ComfyUI Базов URL", + "ComfyUI Base URL is required.": "ComfyUI Базов URL е задължителен.", + "ComfyUI Workflow": "ComfyUI Работен поток", + "ComfyUI Workflow Nodes": "Възли на ComfyUI работен поток", + "Command": "Команда", + "Completions": "Довършвания", + "Concurrent Requests": "Едновременни заявки", + "Configure": "Конфигуриране", + "Confirm": "Потвърди", + "Confirm Password": "Потвърди Парола", + "Confirm your action": "Потвърдете действието си", + "Confirm your new password": "Потвърдете новата си парола", + "Connect to your own OpenAI compatible API endpoints.": "Свържете се със собствени крайни точки на API, съвместими с OpenAI.", + "Connections": "Връзки", + "Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort. (Default: medium)": "Ограничава усилията за разсъждение при модели за разсъждение. Приложимо само за модели за разсъждение от конкретни доставчици, които поддържат усилия за разсъждение. (По подразбиране: средно)", + "Contact Admin for WebUI Access": "Свържете се с администратор за достъп до WebUI", + "Content": "Съдържание", + "Content Extraction": "Извличане на съдържание", + "Context Length": "Дължина на Контекста", + "Continue Response": "Продължи отговора", + "Continue with {{provider}}": "Продължете с {{provider}}", + "Continue with Email": "Продължете с имейл", + "Continue with LDAP": "Продължете с LDAP", + "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "Контролирайте как текстът на съобщението се разделя за TTS заявки. 'Пунктуация' разделя на изречения, 'параграфи' разделя на параграфи, а 'нищо' запазва съобщението като един низ.", + "Control the repetition of token sequences in the generated text. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 1.1) will be more lenient. At 1, it is disabled. (Default: 1.1)": "Контролирайте повторението на последователности от токени в генерирания текст. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 1.1) ще бъде по-снизходителна. При 1 е изключено. (По подразбиране: 1.1)", + "Controls": "Контроли", + "Controls the balance between coherence and diversity of the output. A lower value will result in more focused and coherent text. (Default: 5.0)": "Контролира баланса между съгласуваност и разнообразие на изхода. По-ниска стойност ще доведе до по-фокусиран и съгласуван текст. (По подразбиране: 5.0)", + "Copied": "Копирано", + "Copied shared chat URL to clipboard!": "Копирана е връзката за споделен чат в клипборда!", + "Copied to clipboard": "Копирано в клипборда", + "Copy": "Копирай", + "Copy last code block": "Копиране на последен код блок", + "Copy last response": "Копиране на последен отговор", + "Copy Link": "Копиране на връзка", + "Copy to clipboard": "Копиране в клипборда", + "Copying to clipboard was successful!": "Копирането в клипборда беше успешно!", + "CORS must be properly configured by the provider to allow requests from Open WebUI.": "CORS трябва да бъде правилно конфигуриран от доставчика, за да позволи заявки от Open WebUI.", + "Create": "Създай", + "Create a knowledge base": "Създаване на база знания", + "Create a model": "Създаване на модел", + "Create Account": "Създаване на Акаунт", + "Create Admin Account": "Създаване на администраторски акаунт", + "Create Channel": "Създаване на канал", + "Create Group": "Създаване на група", + "Create Knowledge": "Създаване на знания", + "Create new key": "Създаване на нов ключ", + "Create new secret key": "Създаване на нов секретен ключ", + "Created at": "Създадено на", + "Created At": "Създадено на", + "Created by": "Създадено от", + "CSV Import": "Импортиране на CSV", + "Current Model": "Текущ модел", + "Current Password": "Текуща Парола", + "Custom": "Персонализиран", + "Dark": "Тъмен", + "Database": "База данни", + "December": "Декември", + "Default": "По подразбиране", + "Default (Open AI)": "По подразбиране (Open AI)", + "Default (SentenceTransformers)": "По подразбиране (SentenceTransformers)", + "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model’s built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режимът по подразбиране работи с по-широк набор от модели, като извиква инструменти веднъж преди изпълнение. Нативният режим използва вградените възможности за извикване на инструменти на модела, но изисква моделът да поддържа тази функция по същество.", + "Default Model": "Модел по подразбиране", + "Default model updated": "Моделът по подразбиране е обновен", + "Default Models": "Модели по подразбиране", + "Default permissions": "Разрешения по подразбиране", + "Default permissions updated successfully": "Разрешенията по подразбиране са успешно актуализирани", + "Default Prompt Suggestions": "Промпт Предложения по подразбиране", + "Default to 389 or 636 if TLS is enabled": "По подразбиране 389 или 636, ако TLS е активиран", + "Default to ALL": "По подразбиране за ВСИЧКИ", + "Default User Role": "Роля на потребителя по подразбиране", + "Delete": "Изтриване", + "Delete a model": "Изтриване на модел", + "Delete All Chats": "Изтриване на всички чатове", + "Delete All Models": "Изтриване на всички модели", + "Delete chat": "Изтриване на чат", + "Delete Chat": "Изтриване на Чат", + "Delete chat?": "Изтриване на чата?", + "Delete folder?": "Изтриване на папката?", + "Delete function?": "Изтриване на функцията?", + "Delete Message": "Изтриване на съобщение", + "Delete message?": "Изтриване на съобщението?", + "Delete prompt?": "Изтриване на промпта?", + "delete this link": "Изтриване на този линк", + "Delete tool?": "Изтриване на инструмента?", + "Delete User": "Изтриване на потребител", + "Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}", + "Deleted {{name}}": "Изтрито {{name}}", + "Deleted User": "Изтрит потребител", + "Describe your knowledge base and objectives": "Опишете вашата база от знания и цели", + "Description": "Описание", + "Didn't fully follow instructions": "Не следва напълно инструкциите", + "Direct Connections": "Директни връзки", + "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Директните връзки позволяват на потребителите да се свързват със собствени OpenAI съвместими API крайни точки.", + "Direct Connections settings updated": "Настройките за директни връзки са актуализирани", + "Disabled": "Деактивирано", + "Discover a function": "Открийте функция", + "Discover a model": "Открийте модел", + "Discover a prompt": "Откриване на промпт", + "Discover a tool": "Открийте инструмент", + "Discover how to use Open WebUI and seek support from the community.": "Открийте как да използвате Open WebUI и потърсете подкрепа от общността.", + "Discover wonders": "Открийте чудеса", + "Discover, download, and explore custom functions": "Открийте, изтеглете и разгледайте персонализирани функции", + "Discover, download, and explore custom prompts": "Откриване, сваляне и преглед на персонализирани промптове", + "Discover, download, and explore custom tools": "Открийте, изтеглете и разгледайте персонализирани инструменти", + "Discover, download, and explore model presets": "Откриване, сваляне и преглед на пресетове на модели", + "Dismissible": "Може да се отхвърли", + "Display": "Показване", + "Display Emoji in Call": "Показване на емотикони в обаждането", + "Display the username instead of You in the Chat": "Показване на потребителското име вместо Вие в чата", + "Displays citations in the response": "Показва цитати в отговора", + "Dive into knowledge": "Потопете се в знанието", + "Do not install functions from sources you do not fully trust.": "Не инсталирайте функции от източници, на които не се доверявате напълно.", + "Do not install tools from sources you do not fully trust.": "Не инсталирайте инструменти от източници, на които не се доверявате напълно.", + "Document": "Документ", + "Documentation": "Документация", + "Documents": "Документи", + "does not make any external connections, and your data stays securely on your locally hosted server.": "няма външни връзки, и вашите данни остават сигурни на локално назначен сървър.", + "Domain Filter List": "Списък с филтри за домейни", + "Don't have an account?": "Нямате акаунт?", + "don't install random functions from sources you don't trust.": "не инсталирайте случайни функции от източници, на които не се доверявате.", + "don't install random tools from sources you don't trust.": "не инсталирайте случайни инструменти от източници, на които не се доверявате.", + "Don't like the style": "Не харесваш стила?", + "Done": "Готово", + "Download": "Изтегляне", + "Download as SVG": "Изтегляне като SVG", + "Download canceled": "Изтегляне отменено", + "Download Database": "Сваляне на база данни", + "Drag and drop a file to upload or select a file to view": "Плъзнете и пуснете файл за качване или изберете файл за преглед", + "Draw": "Рисуване", + "Drop any files here to add to the conversation": "Пускане на файлове тук, за да ги добавите в чата", + "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "напр. '30с','10м'. Валидни единици са 'с', 'м', 'ч'.", + "e.g. 60": "", + "e.g. A filter to remove profanity from text": "напр. Филтър за премахване на нецензурни думи от текста", + "e.g. My Filter": "напр. Моят филтър", + "e.g. My Tools": "напр. Моите инструменти", + "e.g. my_filter": "напр. моят_филтър", + "e.g. my_tools": "напр. моите_инструменти", + "e.g. Tools for performing various operations": "напр. Инструменти за извършване на различни операции", + "Edit": "Редактиране", + "Edit Arena Model": "Редактиране на Arena модел", + "Edit Channel": "Редактиране на канал", + "Edit Connection": "Редактиране на връзка", + "Edit Default Permissions": "Редактиране на разрешения по подразбиране", + "Edit Memory": "Редактиране на памет", + "Edit User": "Редактиране на потребител", + "Edit User Group": "Редактиране на потребителска група", + "ElevenLabs": "ElevenLabs", + "Email": "Имейл", + "Embark on adventures": "Отправете се на приключения", + "Embedding Batch Size": "Размер на партидата за вграждане", + "Embedding Model": "Модел за вграждане", + "Embedding Model Engine": "Двигател на модела за вграждане", + "Embedding model set to \"{{embedding_model}}\"": "Модел за вграждане е настроен на \"{{embedding_model}}\"", + "Enable API Key": "Активиране на API ключ", + "Enable autocomplete generation for chat messages": "Активиране на автоматично довършване за съобщения в чата", + "Enable Code Interpreter": "Активиране на интерпретатор на код", + "Enable Community Sharing": "Разрешаване на споделяне в общност", + "Enable Google Drive": "Активиране на Google Drive", + "Enable Memory Locking (mlock) to prevent model data from being swapped out of RAM. This option locks the model's working set of pages into RAM, ensuring that they will not be swapped out to disk. This can help maintain performance by avoiding page faults and ensuring fast data access.": "Активиране на заключване на паметта (mlock), за да се предотврати изваждането на данните на модела от RAM. Тази опция заключва работния набор от страници на модела в RAM, гарантирайки, че няма да бъдат изхвърлени на диска. Това може да помогне за поддържане на производителността, като се избягват грешки в страниците и се осигурява бърз достъп до данните.", + "Enable Memory Mapping (mmap) to load model data. This option allows the system to use disk storage as an extension of RAM by treating disk files as if they were in RAM. This can improve model performance by allowing for faster data access. However, it may not work correctly with all systems and can consume a significant amount of disk space.": "Активиране на мапиране на паметта (mmap) за зареждане на данни на модела. Тази опция позволява на системата да използва дисковото пространство като разширение на RAM, третирайки дисковите файлове, сякаш са в RAM. Това може да подобри производителността на модела, като позволява по-бърз достъп до данните. Въпреки това, може да не работи правилно с всички системи и може да консумира значително количество дисково пространство.", + "Enable Message Rating": "Активиране на оценяване на съобщения", + "Enable Mirostat sampling for controlling perplexity. (Default: 0, 0 = Disabled, 1 = Mirostat, 2 = Mirostat 2.0)": "Активиране на Mirostat семплиране за контрол на перплексията. (По подразбиране: 0, 0 = Деактивирано, 1 = Mirostat, 2 = Mirostat 2.0)", + "Enable New Sign Ups": "Включване на нови регистрации", + "Enable Web Search": "Разрешаване на търсене в уеб", + "Enabled": "Активирано", + "Engine": "Двигател", + "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Уверете се, че вашият CSV файл включва 4 колони в следния ред: Име, Имейл, Парола, Роля.", + "Enter {{role}} message here": "Въведете съобщение за {{role}} тук", + "Enter a detail about yourself for your LLMs to recall": "Въведете подробности за себе си, за да ги запомнят вашите LLMs", + "Enter api auth string (e.g. username:password)": "Въведете низ за удостоверяване на API (напр. потребителско_име:парола)", + "Enter Application DN": "Въведете DN на приложението", + "Enter Application DN Password": "Въведете парола за DN на приложението", + "Enter Bing Search V7 Endpoint": "Въведете крайна точка за Bing Search V7", + "Enter Bing Search V7 Subscription Key": "Въведете абонаментен ключ за Bing Search V7", + "Enter Bocha Search API Key": "Въведете API ключ за Bocha Search", + "Enter Brave Search API Key": "Въведете API ключ за Brave Search", + "Enter certificate path": "Въведете път до сертификата", + "Enter CFG Scale (e.g. 7.0)": "Въведете CFG Scale (напр. 7.0)", + "Enter Chunk Overlap": "Въведете припокриване на чънкове", + "Enter Chunk Size": "Въведете размер на чънк", + "Enter description": "Въведете описание", + "Enter domains separated by commas (e.g., example.com,site.org)": "Въведете домейни, разделени със запетаи (напр. example.com,site.org)", + "Enter Exa API Key": "Въведете API ключ за Exa", + "Enter Github Raw URL": "Въведете URL адрес на Github Raw", + "Enter Google PSE API Key": "Въведете API ключ за Google PSE", + "Enter Google PSE Engine Id": "Въведете идентификатор на двигателя на Google PSE", + "Enter Image Size (e.g. 512x512)": "Въведете размер на изображението (напр. 512x512)", + "Enter Jina API Key": "Въведете API ключ за Jina", + "Enter Jupyter Password": "Въведете парола за Jupyter", + "Enter Jupyter Token": "Въведете токен за Jupyter", + "Enter Jupyter URL": "Въведете URL адрес за Jupyter", + "Enter Kagi Search API Key": "Въведете API ключ за Kagi Search", + "Enter language codes": "Въведете кодове на езика", + "Enter Model ID": "Въведете ID на модела", + "Enter model tag (e.g. {{modelTag}})": "Въведете таг на модел (напр. {{modelTag}})", + "Enter Mojeek Search API Key": "Въведете API ключ за Mojeek Search", + "Enter Number of Steps (e.g. 50)": "Въведете брой стъпки (напр. 50)", + "Enter proxy URL (e.g. https://user:password@host:port)": "Въведете URL адрес на прокси (напр. https://потребител:парола@хост:порт)", + "Enter reasoning effort": "Въведете усилие за разсъждение", + "Enter Sampler (e.g. Euler a)": "Въведете семплер (напр. Euler a)", + "Enter Scheduler (e.g. Karras)": "Въведете планировчик (напр. Karras)", + "Enter Score": "Въведете оценка", + "Enter SearchApi API Key": "Въведете API ключ за SearchApi", + "Enter SearchApi Engine": "Въведете двигател за SearchApi", + "Enter Searxng Query URL": "Въведете URL адрес за заявка на Searxng", + "Enter Seed": "Въведете начално число", + "Enter SerpApi API Key": "Въведете API ключ за SerpApi", + "Enter SerpApi Engine": "Въведете двигател за SerpApi", + "Enter Serper API Key": "Въведете API ключ за Serper", + "Enter Serply API Key": "Въведете API ключ за Serply", + "Enter Serpstack API Key": "Въведете API ключ за Serpstack", + "Enter server host": "Въведете хост на сървъра", + "Enter server label": "Въведете етикет на сървъра", + "Enter server port": "Въведете порт на сървъра", + "Enter stop sequence": "Въведете стоп последователност", + "Enter system prompt": "Въведете системен промпт", + "Enter Tavily API Key": "Въведете API ключ за Tavily", + "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Въведете публичния URL адрес на вашия WebUI. Този URL адрес ще бъде използван за генериране на връзки в известията.", + "Enter Tika Server URL": "Въведете URL адрес на Tika сървър", + "Enter timeout in seconds": "", + "Enter Top K": "Въведете Top K", + "Enter URL (e.g. http://127.0.0.1:7860/)": "Въведете URL (напр. http://127.0.0.1:7860/)", + "Enter URL (e.g. http://localhost:11434)": "Въведете URL (напр. http://localhost:11434)", + "Enter your current password": "Въведете текущата си парола", + "Enter Your Email": "Въведете имейл", + "Enter Your Full Name": "Въведете вашето пълно име", + "Enter your message": "Въведете съобщението си", + "Enter your new password": "Въведете новата си парола", + "Enter Your Password": "Въведете вашата парола", + "Enter Your Role": "Въведете вашата роля", + "Enter Your Username": "Въведете вашето потребителско име", + "Enter your webhook URL": "Въведете вашия webhook URL", + "Error": "Грешка", + "ERROR": "ГРЕШКА", + "Error accessing Google Drive: {{error}}": "Грешка при достъп до Google Drive: {{error}}", + "Error uploading file: {{error}}": "Грешка при качване на файла: {{error}}", + "Evaluations": "Оценки", + "Exa API Key": "API ключ за Exa", + "Example: (&(objectClass=inetOrgPerson)(uid=%s))": "Пример: (&(objectClass=inetOrgPerson)(uid=%s))", + "Example: ALL": "Пример: ВСИЧКИ", + "Example: mail": "Пример: поща", + "Example: ou=users,dc=foo,dc=example": "Пример: ou=users,dc=foo,dc=example", + "Example: sAMAccountName or uid or userPrincipalName": "Пример: sAMAccountName или uid или userPrincipalName", + "Exclude": "Изключи", + "Execute code for analysis": "Изпълнете код за анализ", + "Experimental": "Експериментално", + "Explore the cosmos": "Изследвайте космоса", + "Export": "Износ", + "Export All Archived Chats": "Износ на всички архивирани чатове", + "Export All Chats (All Users)": "Експортване на всички чатове (За всички потребители)", + "Export chat (.json)": "Експортиране на чат (.json)", + "Export Chats": "Експортване на чатове", + "Export Config to JSON File": "Експортиране на конфигурацията в JSON файл", + "Export Functions": "Експортиране на функции", + "Export Models": "Експортиране на модели", + "Export Presets": "Експортиране на предварителни настройки", + "Export Prompts": "Експортване на промптове", + "Export to CSV": "Експортиране в CSV", + "Export Tools": "Експортиране на инструменти", + "External Models": "Външни модели", + "Failed to add file.": "Неуспешно добавяне на файл.", + "Failed to create API Key.": "Неуспешно създаване на API ключ.", + "Failed to fetch models": "Неуспешно извличане на модели", + "Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда", + "Failed to save models configuration": "Неуспешно запазване на конфигурацията на моделите", + "Failed to update settings": "Неуспешно актуализиране на настройките", + "Failed to upload file.": "Неуспешно качване на файл.", + "Features": "Функции", + "Features Permissions": "Разрешения за функции", + "February": "Февруари", + "Feedback History": "История на обратната връзка", + "Feedbacks": "Обратни връзки", + "Feel free to add specific details": "Не се колебайте да добавите конкретни детайли", + "File": "Файл", + "File added successfully.": "Файлът е добавен успешно.", + "File content updated successfully.": "Съдържанието на файла е актуализирано успешно.", + "File Mode": "Файлов режим", + "File not found.": "Файл не е намерен.", + "File removed successfully.": "Файлът е премахнат успешно.", + "File size should not exceed {{maxSize}} MB.": "Размерът на файла не трябва да надвишава {{maxSize}} MB.", + "File uploaded successfully": "Файлът е качен успешно", + "Files": "Файлове", + "Filter is now globally disabled": "Филтърът вече е глобално деактивиран", + "Filter is now globally enabled": "Филтърът вече е глобално активиран", + "Filters": "Филтри", + "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Потвърждаване на отпечатък: Не може да се използва инициализационна буква като аватар. Потребителят се връща към стандартна аватарка.", + "Fluidly stream large external response chunks": "Плавно предаване на големи части от външен отговор", + "Focus chat input": "Фокусиране на чат вход", + "Folder deleted successfully": "Папката е изтрита успешно", + "Folder name cannot be empty": "Името на папката не може да бъде празно", + "Folder name cannot be empty.": "Името на папката не може да бъде празно.", + "Folder name updated successfully": "Името на папката е актуализирано успешно", + "Followed instructions perfectly": "Следвайте инструкциите перфектно", + "Forge new paths": "Изковете нови пътища", + "Form": "Форма", + "Format your variables using brackets like this:": "Форматирайте вашите променливи, използвайки скоби като това:", + "Frequency Penalty": "Наказание за честота", + "Full Context Mode": "Режим на пълен контекст", + "Function": "Функция", + "Function Calling": "Извикване на функция", + "Function created successfully": "Функцията е създадена успешно", + "Function deleted successfully": "Функцията е изтрита успешно", + "Function Description": "Описание на функцията", + "Function ID": "ID на функцията", + "Function is now globally disabled": "Функцията вече е глобално деактивирана", + "Function is now globally enabled": "Функцията вече е глобално активирана", + "Function Name": "Име на функцията", + "Function updated successfully": "Функцията е актуализирана успешно", + "Functions": "Функции", + "Functions allow arbitrary code execution": "Функциите позволяват произволно изпълнение на код", + "Functions allow arbitrary code execution.": "Функциите позволяват произволно изпълнение на код.", + "Functions imported successfully": "Функциите са импортирани успешно", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", + "General": "Основни", + "General Settings": "Основни Настройки", + "Generate an image": "Генериране на изображение", + "Generate Image": "Генериране на изображение", + "Generating search query": "Генериране на заявка за търсене", + "Get started": "Започнете", + "Get started with {{WEBUI_NAME}}": "Започнете с {{WEBUI_NAME}}", + "Global": "Глобално", + "Good Response": "Добър отговор", + "Google Drive": "Google Drive", + "Google PSE API Key": "Google PSE API ключ", + "Google PSE Engine Id": "Идентификатор на двигателя на Google PSE", + "Group created successfully": "Групата е създадена успешно", + "Group deleted successfully": "Групата е изтрита успешно", + "Group Description": "Описание на групата", + "Group Name": "Име на групата", + "Group updated successfully": "Групата е актуализирана успешно", + "Groups": "Групи", + "Haptic Feedback": "Тактилна обратна връзка", + "has no conversations.": "няма разговори.", + "Hello, {{name}}": "Здравей, {{name}}", + "Help": "Помощ", + "Help us create the best community leaderboard by sharing your feedback history!": "Помогнете ни да създадем най-добрата класация на общността, като споделите историята на вашата обратна връзка!", + "Hex Color": "Hex цвят", + "Hex Color - Leave empty for default color": "Hex цвят - Оставете празно за цвят по подразбиране", + "Hide": "Скрий", + "Home": "Начало", + "Host": "Хост", + "How can I help you today?": "Как мога да ви помогна днес?", + "How would you rate this response?": "Как бихте оценили този отговор?", + "Hybrid Search": "Хибридно търсене", + "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Потвърждавам, че съм прочел и разбирам последствията от моето действие. Наясно съм с рисковете, свързани с изпълнението на произволен код, и съм проверил надеждността на източника.", + "ID": "ID", + "Ignite curiosity": "Запалете любопитството", + "Image": "Изображение", + "Image Compression": "Компресия на изображения", + "Image Generation": "Генериране на изображения", + "Image Generation (Experimental)": "Генерация на изображения (Експериментално)", + "Image Generation Engine": "Двигател за генериране на изображения", + "Image Max Compression Size": "Максимален размер на компресия на изображения", + "Image Prompt Generation": "Генериране на промпт за изображения", + "Image Prompt Generation Prompt": "Промпт за генериране на промпт за изображения", + "Image Settings": "Настройки на изображения", + "Images": "Изображения", + "Import Chats": "Импортване на чатове", + "Import Config from JSON File": "Импортиране на конфигурация от JSON файл", + "Import Functions": "Импортиране на функции", + "Import Models": "Импортиране на модели", + "Import Presets": "Импортиране на предварителни настройки", + "Import Prompts": "Импортване на промптове", + "Import Tools": "Импортиране на инструменти", + "Include": "Включи", + "Include `--api-auth` flag when running stable-diffusion-webui": "", + "Include `--api` flag when running stable-diffusion-webui": "", + "Influences how quickly the algorithm responds to feedback from the generated text. A lower learning rate will result in slower adjustments, while a higher learning rate will make the algorithm more responsive. (Default: 0.1)": "Влияе върху това колко бързо алгоритъмът реагира на обратната връзка от генерирания текст. По-ниска скорост на обучение ще доведе до по-бавни корекции, докато по-висока скорост на обучение ще направи алгоритъма по-отзивчив. (По подразбиране: 0.1)", + "Info": "Информация", + "Input commands": "Въведете команди", + "Install from Github URL": "Инсталиране от URL адреса на Github", + "Instant Auto-Send After Voice Transcription": "Незабавно автоматично изпращане след гласова транскрипция", + "Interface": "Интерфейс", + "Invalid file format.": "Невалиден формат на файла.", + "Invalid Tag": "Невалиден таг", + "is typing...": "пише...", + "January": "Януари", + "Jina API Key": "API ключ за Jina", + "join our Discord for help.": "свържете се с нашия Discord за помощ.", + "JSON": "JSON", + "JSON Preview": "JSON Преглед", + "July": "Юли", + "June": "Юни", + "Jupyter Auth": "Jupyter удостоверяване", + "Jupyter URL": "Jupyter URL", + "JWT Expiration": "JWT изтичане", + "JWT Token": "JWT токен", + "Kagi Search API Key": "API ключ за Kagi Search", + "Keep Alive": "Поддържай активен", + "Key": "Ключ", + "Keyboard shortcuts": "Клавиши за бърз достъп", + "Knowledge": "Знания", + "Knowledge Access": "Достъп до знания", + "Knowledge created successfully.": "Знанието е създадено успешно.", + "Knowledge deleted successfully.": "Знанието е изтрито успешно.", + "Knowledge reset successfully.": "Знанието е нулирано успешно.", + "Knowledge updated successfully": "Знанието е актуализирано успешно", + "Kokoro.js (Browser)": "Kokoro.js (Браузър)", + "Kokoro.js Dtype": "Kokoro.js Dtype", + "Label": "Етикет", + "Landing Page Mode": "Режим на начална страница", + "Language": "Език", + "Last Active": "Последни активни", + "Last Modified": "Последно модифицирано", + "Last reply": "Последен отговор", + "LDAP": "LDAP", + "LDAP server updated": "LDAP сървърът е актуализиран", + "Leaderboard": "Класация", + "Leave empty for unlimited": "Оставете празно за неограничено", + "Leave empty to include all models from \"{{URL}}/api/tags\" endpoint": "Оставете празно, за да включите всички модели от крайната точка \"{{URL}}/api/tags\"", + "Leave empty to include all models from \"{{URL}}/models\" endpoint": "Оставете празно, за да включите всички модели от крайната точка \"{{URL}}/models\"", + "Leave empty to include all models or select specific models": "Оставете празно, за да включите всички модели или изберете конкретни модели", + "Leave empty to use the default prompt, or enter a custom prompt": "Оставете празно, за да използвате промпта по подразбиране, или въведете персонализиран промпт", + "Leave model field empty to use the default model.": "Оставете полето за модел празно, за да използвате модела по подразбиране.", + "License": "Лиценз", + "Light": "Светъл", + "Listening...": "Слушане...", + "Llama.cpp": "Llama.cpp", + "LLMs can make mistakes. Verify important information.": "LLMs могат да правят грешки. Проверете важните данни.", + "Loading Kokoro.js...": "Зареждане на Kokoro.js...", + "Local": "Локално", + "Local Models": "Локални модели", + "Lost": "Изгубено", + "LTR": "LTR", + "Made by Open WebUI Community": "Направено от OpenWebUI общността", + "Make sure to enclose them with": "Уверете се, че са заключени с", + "Make sure to export a workflow.json file as API format from ComfyUI.": "Уверете се, че експортирате файл workflow.json като API формат от ComfyUI.", + "Manage": "Управление", + "Manage Arena Models": "Управление на Arena модели", + "Manage Direct Connections": "Управление на директни връзки", + "Manage Models": "Управление на модели", + "Manage Ollama": "Управление на Ollama", + "Manage Ollama API Connections": "Управление на Ollama API връзки", + "Manage OpenAI API Connections": "Управление на OpenAI API връзки", + "Manage Pipelines": "Управление на пайплайни", + "March": "Март", + "Max Tokens (num_predict)": "Макс токени (num_predict)", + "Max Upload Count": "Максимален брой качвания", + "Max Upload Size": "Максимален размер на качване", + "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модела могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.", + "May": "Май", + "Memories accessible by LLMs will be shown here.": "Мемории достъпни от LLMs ще бъдат показани тук.", + "Memory": "Памет", + "Memory added successfully": "Паметта е добавена успешно", + "Memory cleared successfully": "Паметта е изчистена успешно", + "Memory deleted successfully": "Паметта е изтрита успешно", + "Memory updated successfully": "Паметта е актуализирана успешно", + "Merge Responses": "Обединяване на отговори", + "Message rating should be enabled to use this feature": "Оценяването на съобщения трябва да бъде активирано, за да използвате тази функция", + "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Съобщенията, които изпращате след създаването на връзката, няма да бъдат споделяни. Потребителите с URL адреса ще могат да видят споделения чат.", + "Min P": "Мин P", + "Minimum Score": "Минимална оценка", + "Mirostat": "Mirostat", + "Mirostat Eta": "Mirostat Eta", + "Mirostat Tau": "Mirostat Tau", + "Model": "Модел", + "Model '{{modelName}}' has been successfully downloaded.": "Моделът '{{modelName}}' беше успешно свален.", + "Model '{{modelTag}}' is already in queue for downloading.": "Моделът '{{modelTag}}' е вече в очакване за сваляне.", + "Model {{modelId}} not found": "Моделът {{modelId}} не е намерен", + "Model {{modelName}} is not vision capable": "Моделът {{modelName}} не поддържа визуални възможности", + "Model {{name}} is now {{status}}": "Моделът {{name}} сега е {{status}}", + "Model accepts image inputs": "Моделът приема входни изображения", + "Model created successfully!": "Моделът е създаден успешно!", + "Model filesystem path detected. Model shortname is required for update, cannot continue.": "Открит е път до файловата система на модела. За актуализацията се изисква съкратено име на модела, не може да продължи.", + "Model Filtering": "Филтриране на модели", + "Model ID": "ИД на модел", + "Model IDs": "ИД-та на модели", + "Model Name": "Име на модел", + "Model not selected": "Не е избран модел", + "Model Params": "Параметри на модела", + "Model Permissions": "Разрешения на модела", + "Model updated successfully": "Моделът е актуализиран успешно", + "Modelfile Content": "Съдържание на модфайл", + "Models": "Модели", + "Models Access": "Достъп до модели", + "Models configuration saved successfully": "Конфигурацията на моделите е запазена успешно", + "Mojeek Search API Key": "API ключ за Mojeek Search", + "more": "още", + "More": "Повече", + "Name": "Име", + "Name your knowledge base": "Именувайте вашата база от знания", + "Native": "Нативен", + "New Chat": "Нов чат", + "New Folder": "Нова папка", + "New Password": "Нова парола", + "new-channel": "нов-канал", + "No content found": "Не е намерено съдържание", + "No content to speak": "Няма съдържание за изговаряне", + "No distance available": "Няма налично разстояние", + "No feedbacks found": "Не са намерени обратни връзки", + "No file selected": "Не е избран файл", + "No files found.": "Не са намерени файлове.", + "No groups with access, add a group to grant access": "Няма групи с достъп, добавете група, за да предоставите достъп", + "No HTML, CSS, or JavaScript content found.": "Не е намерено HTML, CSS или JavaScript съдържание.", + "No inference engine with management support found": "Не е намерен механизъм за извод с поддръжка на управление", + "No knowledge found": "Не са намерени знания", + "No model IDs": "Няма ИД-та на модели", + "No models found": "Не са намерени модели", + "No models selected": "Няма избрани модели", + "No results found": "Няма намерени резултати", + "No search query generated": "Не е генерирана заявка за търсене", + "No source available": "Няма наличен източник", + "No users were found.": "Не са намерени потребители.", + "No valves to update": "Няма клапани за актуализиране", + "None": "Никой", + "Not factually correct": "Не е фактологически правилно", + "Not helpful": "Не е полезно", + "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Забележка: Ако зададете минимален резултат, търсенето ще върне само документи с резултат, по-голям или равен на минималния резултат.", + "Notes": "Бележки", + "Notification Sound": "Звук за известия", + "Notification Webhook": "Webhook за известия", + "Notifications": "Известия", + "November": "Ноември", + "num_gpu (Ollama)": "num_gpu (Ollama)", + "num_thread (Ollama)": "num_thread (Ollama)", + "OAuth ID": "OAuth ID", + "October": "Октомври", + "Off": "Изкл.", + "Okay, Let's Go!": "ОК, Нека започваме!", + "OLED Dark": "OLED тъмно", + "Ollama": "Ollama", + "Ollama API": "Ollama API", + "Ollama API settings updated": "Настройките на Ollama API са актуализирани", + "Ollama Version": "Ollama Версия", + "On": "Вкл.", + "Only alphanumeric characters and hyphens are allowed": "Разрешени са само буквено-цифрови знаци и тирета", + "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.", + "Only collections can be edited, create a new knowledge base to edit/add documents.": "Само колекции могат да бъдат редактирани, създайте нова база от знания, за да редактирате/добавяте документи.", + "Only select users and groups with permission can access": "Само избрани потребители и групи с разрешение могат да имат достъп", + "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.", + "Oops! There are files still uploading. Please wait for the upload to complete.": "Упс! Все още има файлове, които се качват. Моля, изчакайте качването да приключи.", + "Oops! There was an error in the previous response.": "Упс! Имаше грешка в предишния отговор.", + "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Упс! Използвате неподдържан метод (само фронтенд). Моля, сервирайте WebUI от бекенда.", + "Open file": "Отвори файл", + "Open in full screen": "Отвори на цял екран", + "Open new chat": "Отвори нов чат", + "Open WebUI uses faster-whisper internally.": "Open WebUI използва вътрешно faster-whisper.", + "Open WebUI uses SpeechT5 and CMU Arctic speaker embeddings.": "Open WebUI използва SpeechT5 и CMU Arctic говорителни вграждания.", + "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версията на Open WebUI (v{{OPEN_WEBUI_VERSION}}) е по-ниска от необходимата версия (v{{REQUIRED_VERSION}})", + "OpenAI": "OpenAI", + "OpenAI API": "OpenAI API", + "OpenAI API Config": "OpenAI API конфигурация", + "OpenAI API Key is required.": "OpenAI API ключ е задължителен.", + "OpenAI API settings updated": "Настройките на OpenAI API са актуализирани", + "OpenAI URL/Key required.": "OpenAI URL/Key е задължителен.", + "or": "или", + "Organize your users": "Организирайте вашите потребители", + "Other": "Друго", + "OUTPUT": "ИЗХОД", + "Output format": "Изходен формат", + "Overview": "Преглед", + "page": "страница", + "Password": "Парола", + "Paste Large Text as File": "Поставете голям текст като файл", + "PDF document (.pdf)": "PDF документ (.pdf)", + "PDF Extract Images (OCR)": "Извличане на изображения от PDF (OCR)", + "pending": "в очакване", + "Permission denied when accessing media devices": "Отказан достъп при опит за достъп до медийни устройства", + "Permission denied when accessing microphone": "Отказан достъп при опит за достъп до микрофона", + "Permission denied when accessing microphone: {{error}}": "Отказан достъп при опит за достъп до микрофона: {{error}}", + "Permissions": "Разрешения", + "Personalization": "Персонализация", + "Pin": "Закачи", + "Pinned": "Закачено", + "Pioneer insights": "Пионерски прозрения", + "Pipeline deleted successfully": "Пайплайнът е изтрит успешно", + "Pipeline downloaded successfully": "Пайплайнът е изтеглен успешно", + "Pipelines": "Пайплайни", + "Pipelines Not Detected": "Не са открити пайплайни", + "Pipelines Valves": "Клапани на пайплайни", + "Plain text (.txt)": "Обикновен текст (.txt)", + "Playground": "Плейграунд", + "Please carefully review the following warnings:": "Моля, внимателно прегледайте следните предупреждения:", + "Please do not close the settings page while loading the model.": "Моля, не затваряйте страницата с настройки, докато моделът се зарежда.", + "Please enter a prompt": "Моля, въведете промпт", + "Please fill in all fields.": "Моля, попълнете всички полета.", + "Please select a model first.": "Моля, първо изберете модел.", + "Please select a model.": "Моля, изберете модел.", + "Please select a reason": "Моля, изберете причина", + "Port": "Порт", + "Positive attitude": "Позитивно отношение", + "Prefix ID": "Префикс ID", + "Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Префикс ID се използва за избягване на конфликти с други връзки чрез добавяне на префикс към ID-тата на моделите - оставете празно, за да деактивирате", + "Presence Penalty": "Наказание за присъствие", + "Previous 30 days": "Предишните 30 дни", + "Previous 7 days": "Предишните 7 дни", + "Profile Image": "Профилна снимка", + "Prompt": "Промпт", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр. Кажи ми забавен факт за Римската империя)", + "Prompt Content": "Съдържание на промпта", + "Prompt created successfully": "Промптът е създаден успешно", + "Prompt suggestions": "Промпт предложения", + "Prompt updated successfully": "Промптът е актуализиран успешно", + "Prompts": "Промптове", + "Prompts Access": "Достъп до промптове", + "Proxy URL": "URL на прокси", + "Pull \"{{searchValue}}\" from Ollama.com": "Извади \"{{searchValue}}\" от Ollama.com", + "Pull a model from Ollama.com": "Издърпайте модел от Ollama.com", + "Query Generation Prompt": "Промпт за генериране на запитвания", + "Query Params": "Параметри на запитването", + "RAG Template": "RAG Шаблон", + "Rating": "Оценка", + "Re-rank models by topic similarity": "Преоценка на моделите по сходство на темата", + "Read": "Четене", + "Read Aloud": "Прочети на глас", + "Reasoning Effort": "Усилие за разсъждение", + "Record voice": "Записване на глас", + "Redirecting you to Open WebUI Community": "Пренасочване към OpenWebUI общността", + "Reduces the probability of generating nonsense. A higher value (e.g. 100) will give more diverse answers, while a lower value (e.g. 10) will be more conservative. (Default: 40)": "Намалява вероятността за генериране на безсмислици. По-висока стойност (напр. 100) ще даде по-разнообразни отговори, докато по-ниска стойност (напр. 10) ще бъде по-консервативна. (По подразбиране: 40)", + "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Отнасяйте се към себе си като \"Потребител\" (напр. \"Потребителят учи испански\")", + "References from": "Препратки от", + "Refused when it shouldn't have": "Отказано, когато не трябва да бъде", + "Regenerate": "Регенериране", + "Release Notes": "Бележки по изданието", + "Relevance": "Релевантност", + "Remove": "Изтриване", + "Remove Model": "Изтриване на модела", + "Rename": "Преименуване", + "Reorder Models": "Преорганизиране на модели", + "Repeat Last N": "Повтори последните N", + "Repeat Penalty (Ollama)": "Наказание за повторение (Ollama)", + "Reply in Thread": "Отговори в тред", + "Request Mode": "Режим на заявка", + "Reranking Model": "Модел за преподреждане", + "Reranking model disabled": "Моделът за преподреждане е деактивиран", + "Reranking model set to \"{{reranking_model}}\"": "Моделът за преподреждане е зададен на \"{{reranking_model}}\"", + "Reset": "Нулиране", + "Reset All Models": "Нулиране на всички модели", + "Reset Upload Directory": "Нулиране на директорията за качване", + "Reset Vector Storage/Knowledge": "Нулиране на векторното хранилище/знания", + "Reset view": "Нулиране на изгледа", + "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Известията за отговори не могат да бъдат активирани, тъй като разрешенията за уебсайта са отказани. Моля, посетете настройките на вашия браузър, за да дадете необходимия достъп.", + "Response splitting": "Разделяне на отговора", + "Result": "Резултат", + "Retrieval Query Generation": "Генериране на заявка за извличане", + "Rich Text Input for Chat": "Богат текстов вход за чат", + "RK": "RK", + "Role": "Роля", + "Rosé Pine": "Rosé Pine", + "Rosé Pine Dawn": "Rosé Pine Dawn", + "RTL": "RTL", + "Run": "Изпълни", + "Running": "Изпълнява се", + "Save": "Запис", + "Save & Create": "Запис & Създаване", + "Save & Update": "Запис & Актуализиране", + "Save As Copy": "Запиши като копие", + "Save Tag": "Запиши таг", + "Saved": "Запазено", + "Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Запазването на чат логове директно в хранилището на вашия браузър вече не се поддържа. Моля, отделете малко време, за да изтеглите и изтриете чат логовете си, като щракнете върху бутона по-долу. Не се притеснявайте, можете лесно да импортирате отново чат логовете си в бекенда чрез", + "Scroll to bottom when switching between branches": "Превъртане до дъното при превключване между клонове", + "Search": "Търси", + "Search a model": "Търси модел", + "Search Base": "База за търсене", + "Search Chats": "Търсене на чатове", + "Search Collection": "Търсене в колекция", + "Search Filters": "Филтри за търсене", + "search for tags": "търсене на тагове", + "Search Functions": "Търсене на функции", + "Search Knowledge": "Търсене в знания", + "Search Models": "Търсене на модели", + "Search options": "Опции за търсене", + "Search Prompts": "Търси Промптове", + "Search Result Count": "Брой резултати от търсенето", + "Search the internet": "Търсене в интернет", + "Search Tools": "Инструменти за търсене", + "SearchApi API Key": "API ключ за SearchApi", + "SearchApi Engine": "Двигател на SearchApi", + "Searched {{count}} sites": "Претърсени {{count}} сайта", + "Searching \"{{searchQuery}}\"": "Търсене на \"{{searchQuery}}\"", + "Searching Knowledge for \"{{searchQuery}}\"": "Търсене в знанията за \"{{searchQuery}}\"", + "Searxng Query URL": "URL адрес на заявка на Searxng", + "See readme.md for instructions": "Виж readme.md за инструкции", + "See what's new": "Виж какво е новото", + "Seed": "Начално число", + "Select a base model": "Изберете базов модел", + "Select a engine": "Изберете двигател", + "Select a function": "Изберете функция", + "Select a group": "Изберете група", + "Select a model": "Изберете модел", + "Select a pipeline": "Изберете пайплайн", + "Select a pipeline url": "Избор на URL адрес на канал", + "Select a tool": "Изберете инструмент", + "Select an auth method": "Изберете метод за удостоверяване", + "Select an Ollama instance": "Изберете инстанция на Ollama", + "Select Engine": "Изберете двигател", + "Select Knowledge": "Изберете знание", + "Select model": "Изберете модел", + "Select only one model to call": "Изберете само един модел за извикване", + "Selected model(s) do not support image inputs": "Избраният(те) модел(и) не поддържа въвеждане на изображения", + "Semantic distance to query": "Семантично разстояние до заявката", + "Send": "Изпрати", + "Send a Message": "Изпращане на Съобщение", + "Send message": "Изпращане на съобщение", + "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "", + "September": "Септември", + "SerpApi API Key": "API ключ за SerpApi", + "SerpApi Engine": "Двигател на SerpApi", + "Serper API Key": "Serper API ключ", + "Serply API Key": "API ключ за Serply", + "Serpstack API Key": "Serpstack API ключ", + "Server connection verified": "Връзката със сървъра е потвърдена", + "Set as default": "Задай по подразбиране", + "Set CFG Scale": "Задай CFG мащаб", + "Set Default Model": "Задай Модел По Подразбиране", + "Set embedding model": "Задай модел за вграждане", + "Set embedding model (e.g. {{model}})": "Задай модел за вграждане (напр. {{model}})", + "Set Image Size": "Задай Размер на Изображението", + "Set reranking model (e.g. {{model}})": "Задай модел за преподреждане (напр. {{model}})", + "Set Sampler": "Задай семплер", + "Set Scheduler": "Задай планировчик", + "Set Steps": "Задай Стъпки", + "Set Task Model": "Задаване на модел на задача", + "Set the number of layers, which will be off-loaded to GPU. Increasing this value can significantly improve performance for models that are optimized for GPU acceleration but may also consume more power and GPU resources.": "Задайте броя слоеве, които ще бъдат прехвърлени към GPU. Увеличаването на тази стойност може значително да подобри производителността за модели, оптимизирани за GPU ускорение, но може също да консумира повече енергия и GPU ресурси.", + "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте броя работни нишки, използвани за изчисления. Тази опция контролира колко нишки се използват за едновременна обработка на входящи заявки. Увеличаването на тази стойност може да подобри производителността при високи натоварвания с паралелизъм, но може също да консумира повече CPU ресурси.", + "Set Voice": "Задай Глас", + "Set whisper model": "Задай модел на шепот", + "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled. (Default: 0)": "Задава плоско отклонение срещу токени, които са се появили поне веднъж. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 0.9) ще бъде по-снизходителна. При 0 е деактивирано. (По подразбиране: 0)", + "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled. (Default: 1.1)": "Задава мащабиращо отклонение срещу токени за наказване на повторения, базирано на това колко пъти са се появили. По-висока стойност (напр. 1.5) ще наказва повторенията по-силно, докато по-ниска стойност (напр. 0.9) ще бъде по-снизходителна. При 0 е деактивирано. (По подразбиране: 1.1)", + "Sets how far back for the model to look back to prevent repetition. (Default: 64, 0 = disabled, -1 = num_ctx)": "Задава колко назад моделът да гледа, за да предотврати повторение. (По подразбиране: 64, 0 = деактивирано, -1 = num_ctx)", + "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt. (Default: random)": "Задава семето на случайното число, което да се използва за генериране. Задаването на конкретно число ще накара модела да генерира същия текст за същата подкана. (По подразбиране: случайно)", + "Sets the size of the context window used to generate the next token. (Default: 2048)": "Задава размера на контекстния прозорец, използван за генериране на следващия токен. (По подразбиране: 2048)", + "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Задава последователностите за спиране, които да се използват. Когато се срещне този модел, LLM ще спре да генерира текст и ще се върне. Множество модели за спиране могат да бъдат зададени чрез определяне на множество отделни параметри за спиране в моделния файл.", + "Settings": "Настройки", + "Settings saved successfully!": "Настройките са запазени успешно!", + "Share": "Подели", + "Share Chat": "Подели Чат", + "Share to Open WebUI Community": "Споделете с OpenWebUI Общността", + "Show": "Покажи", + "Show \"What's New\" modal on login": "Покажи модалния прозорец \"Какво е ново\" при вписване", + "Show Admin Details in Account Pending Overlay": "Покажи детайлите на администратора в наслагването на изчакващ акаунт", + "Show shortcuts": "Покажи преки пътища", + "Show your support!": "Покажете вашата подкрепа!", + "Showcased creativity": "Показана креативност", + "Sign in": "Вписване", + "Sign in to {{WEBUI_NAME}}": "Впишете се в {{WEBUI_NAME}}", + "Sign in to {{WEBUI_NAME}} with LDAP": "Впишете се в {{WEBUI_NAME}} с LDAP", + "Sign Out": "Изход", + "Sign up": "Регистрация", + "Sign up to {{WEBUI_NAME}}": "Регистрирайте се в {{WEBUI_NAME}}", + "Signing in to {{WEBUI_NAME}}": "Вписване в {{WEBUI_NAME}}", + "sk-1234": "sk-1234", + "Source": "Източник", + "Speech Playback Speed": "Скорост на възпроизвеждане на речта", + "Speech recognition error: {{error}}": "Грешка при разпознаване на реч: {{error}}", + "Speech-to-Text Engine": "Двигател за преобразуване на реч в текст", + "Stop": "Спри", + "Stop Sequence": "Стоп последователност", + "Stream Chat Response": "Поточен чат отговор", + "STT Model": "STT Модел", + "STT Settings": "STT Настройки", + "Subtitle (e.g. about the Roman Empire)": "Подтитул (напр. за Римска империя)", + "Success": "Успех", + "Successfully updated.": "Успешно обновено.", + "Suggested": "Препоръчано", + "Support": "Поддръжка", + "Support this plugin:": "Подкрепете този плъгин:", + "Sync directory": "Синхронизирай директория", + "System": "Система", + "System Instructions": "Системни инструкции", + "System Prompt": "Системен Промпт", + "Tags Generation": "Генериране на тагове", + "Tags Generation Prompt": "Промпт за генериране на тагове", + "Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "Безопашковото семплиране се използва за намаляване на влиянието на по-малко вероятните токени от изхода. По-висока стойност (напр. 2.0) ще намали влиянието повече, докато стойност 1.0 деактивира тази настройка. (по подразбиране: 1)", + "Tap to interrupt": "Докоснете за прекъсване", + "Tasks": "Задачи", + "Tavily API Key": "Tavily API Ключ", + "Tell us more:": "Повече информация:", + "Temperature": "Температура", + "Template": "Шаблон", + "Temporary Chat": "Временен чат", + "Text Splitter": "Разделител на текст", + "Text-to-Speech Engine": "Двигател за преобразуване на текст в реч", + "Tfs Z": "Tfs Z", + "Thanks for your feedback!": "Благодарим ви за вашия отзив!", + "The Application Account DN you bind with for search": "DN на акаунта на приложението, с който се свързвате за търсене", + "The base to search for users": "Базата за търсене на потребители", + "The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory. (Default: 512)": "", + "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Разработчиците зад този плъгин са страстни доброволци от общността. Ако намирате този плъгин полезен, моля, обмислете да допринесете за неговото развитие.", + "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Класацията за оценка се базира на рейтинговата система Elo и се обновява в реално време.", + "The LDAP attribute that maps to the mail that users use to sign in.": "LDAP атрибутът, който съответства на имейла, който потребителите използват за вписване.", + "The LDAP attribute that maps to the username that users use to sign in.": "LDAP атрибутът, който съответства на потребителското име, което потребителите използват за вписване.", + "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Класацията в момента е в бета версия и може да коригираме изчисленията на рейтинга, докато усъвършенстваме алгоритъма.", + "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "Максималният размер на файла в MB. Ако размерът на файла надвишава този лимит, файлът няма да бъде качен.", + "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "Максималният брой файлове, които могат да се използват едновременно в чата. Ако броят на файловете надвишава този лимит, файловете няма да бъдат качени.", + "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Резултатът трябва да бъде стойност между 0.0 (0%) и 1.0 (100%).", + "The temperature of the model. Increasing the temperature will make the model answer more creatively. (Default: 0.8)": "Температурата на модела. Увеличаването на температурата ще накара модела да отговаря по-креативно. (По подразбиране: 0.8)", + "Theme": "Тема", + "Thinking...": "Мисля...", + "This action cannot be undone. Do you wish to continue?": "Това действие не може да бъде отменено. Желаете ли да продължите?", + "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!", + "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Това е експериментална функция, може да не работи според очакванията и подлежи на промяна по всяко време.", + "This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics. (Default: 24)": "Тази опция контролира колко токена се запазват при обновяване на контекста. Например, ако е зададено на 2, последните 2 токена от контекста на разговора ще бъдат запазени. Запазването на контекста може да помогне за поддържане на непрекъснатостта на разговора, но може да намали способността за отговор на нови теми. (По подразбиране: 24)", + "This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated. (Default: 128)": "", + "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Тази опция ще изтрие всички съществуващи файлове в колекцията и ще ги замени с новокачени файлове.", + "This response was generated by \"{{model}}\"": "Този отговор беше генериран от \"{{model}}\"", + "This will delete": "Това ще изтрие", + "This will delete {{NAME}} and all its contents.": "Това ще изтрие {{NAME}} и цялото му съдържание.", + "This will delete all models including custom models": "Това ще изтрие всички модели, включително персонализираните модели", + "This will delete all models including custom models and cannot be undone.": "Това ще изтрие всички модели, включително персонализираните модели, и не може да бъде отменено.", + "This will reset the knowledge base and sync all files. Do you wish to continue?": "Това ще нулира базата знания и ще синхронизира всички файлове. Желаете ли да продължите?", + "Thorough explanation": "Подробно обяснение", + "Thought for {{DURATION}}": "Мислил за {{DURATION}}", + "Thought for {{DURATION}} seconds": "Мислил за {{DURATION}} секунди", + "Tika": "Tika", + "Tika Server URL required.": "Изисква се URL адрес на Tika сървъра.", + "Tiktoken": "Tiktoken", + "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Съвет: Актуализирайте няколко слота за променливи последователно, като натискате клавиша Tab в чат входа след всяка подмяна.", + "Title": "Заглавие", + "Title (e.g. Tell me a fun fact)": "Заглавие (напр. Кажете ми нещо забавно)", + "Title Auto-Generation": "Автоматично генериране на заглавие", + "Title cannot be an empty string.": "Заглавието не може да бъде празно.", + "Title Generation": "Генериране на заглавие", + "Title Generation Prompt": "Промпт за генериране на заглавие", + "TLS": "TLS", + "To access the available model names for downloading,": "За достъп до наличните имена на модели за изтегляне,", + "To access the GGUF models available for downloading,": "За достъп до наличните GGUF модели за изтегляне,", + "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "За достъп до уеб интерфейса, моля, свържете се с администратора. Администраторите могат да управляват статусите на потребителите от Административния панел.", + "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "За да прикачите база знания тук, първо ги добавете към работното пространство \"Знания\".", + "To learn more about available endpoints, visit our documentation.": "За да научите повече за наличните крайни точки, посетете нашата документация.", + "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "За да защитим вашата поверителност, от вашата обратна връзка се споделят само оценки, идентификатори на модели, тагове и метаданни—вашите чат логове остават лични и не са включени.", + "To select actions here, add them to the \"Functions\" workspace first.": "За да изберете действия тук, първо ги добавете към работното пространство \"Функции\".", + "To select filters here, add them to the \"Functions\" workspace first.": "За да изберете филтри тук, първо ги добавете към работното пространство \"Функции\".", + "To select toolkits here, add them to the \"Tools\" workspace first.": "За да изберете инструменти тук, първо ги добавете към работното пространство \"Инструменти\".", + "Toast notifications for new updates": "Изскачащи известия за нови актуализации", + "Today": "Днес", + "Toggle settings": "Превключване на настройките", + "Toggle sidebar": "Превключване на страничната лента", + "Token": "Токен", + "Tokens To Keep On Context Refresh (num_keep)": "Токени за запазване при обновяване на контекста (num_keep)", + "Too verbose": "Прекалено многословно", + "Tool created successfully": "Инструментът е създаден успешно", + "Tool deleted successfully": "Инструментът е изтрит успешно", + "Tool Description": "Описание на инструмента", + "Tool ID": "ID на инструмента", + "Tool imported successfully": "Инструментът е импортиран успешно", + "Tool Name": "Име на инструмента", + "Tool updated successfully": "Инструментът е актуализиран успешно", + "Tools": "Инструменти", + "Tools Access": "Достъп до инструменти", + "Tools are a function calling system with arbitrary code execution": "Инструментите са система за извикване на функции с произволно изпълнение на код", + "Tools Function Calling Prompt": "Промпт за извикване на функции на инструментите", + "Tools have a function calling system that allows arbitrary code execution": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код", + "Tools have a function calling system that allows arbitrary code execution.": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код.", + "Top K": "Топ K", + "Top P": "Топ P", + "Transformers": "Трансформатори", + "Trouble accessing Ollama?": "Проблеми с достъпа до Ollama?", + "TTS Model": "TTS Модел", + "TTS Settings": "TTS Настройки", + "TTS Voice": "TTS Глас", + "Type": "Вид", + "Type Hugging Face Resolve (Download) URL": "Въведете Hugging Face Resolve (Download) URL", + "Uh-oh! There was an issue with the response.": "Ох! Имаше проблем с отговора.", + "UI": "Потребителски интерфейс", + "Unarchive All": "Разархивирай всички", + "Unarchive All Archived Chats": "Разархивирай всички архивирани чатове", + "Unarchive Chat": "Разархивирай чат", + "Unlock mysteries": "Разкрий мистерии", + "Unpin": "Откачи", + "Unravel secrets": "Разгадай тайни", + "Untagged": "Без етикет", + "Update": "Актуализиране", + "Update and Copy Link": "Обнови и копирай връзка", + "Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.", + "Update password": "Обновяване на парола", + "Updated": "Актуализирано", + "Updated at": "Актуализирано на", + "Updated At": "Актуализирано на", + "Upgrade to a licensed plan for enhanced capabilities, including custom theming and branding, and dedicated support.": "Надградете до лицензиран план за разширени възможности, включително персонализирани теми и брандиране, и специализирана поддръжка.", + "Upload": "Качване", + "Upload a GGUF model": "Качване на GGUF модел", + "Upload directory": "Качване на директория", + "Upload files": "Качване на файлове", + "Upload Files": "Качване на файлове", + "Upload Pipeline": "Качване на конвейер", + "Upload Progress": "Прогрес на качването", + "URL": "URL", + "URL Mode": "URL режим", + "Use '#' in the prompt input to load and include your knowledge.": "Използвайте '#' в полето за въвеждане, за да заредите и включите вашите знания.", + "Use Gravatar": "Използвайте Gravatar", + "Use groups to group your users and assign permissions.": "Използвайте групи, за да групирате вашите потребители и да присвоите разрешения.", + "Use Initials": "Използвайте инициали", + "use_mlock (Ollama)": "use_mlock (Ollama)", + "use_mmap (Ollama)": "use_mmap (Ollama)", + "user": "потребител", + "User": "Потребител", + "User location successfully retrieved.": "Местоположението на потребителя е успешно извлечено.", + "Username": "Потребителско име", + "Users": "Потребители", + "Using the default arena model with all models. Click the plus button to add custom models.": "Използване на стандартния арена модел с всички модели. Кликнете бутона плюс, за да добавите персонализирани модели.", + "Utilize": "Използване", + "Valid time units:": "Валидни единици за време:", + "Valves": "Клапани", + "Valves updated": "Клапаните са актуализирани", + "Valves updated successfully": "Клапаните са актуализирани успешно", + "variable": "променлива", + "variable to have them replaced with clipboard content.": "променлива, за да бъдат заменени със съдържанието от клипборда.", + "Version": "Версия", + "Version {{selectedVersion}} of {{totalVersions}}": "Версия {{selectedVersion}} от {{totalVersions}}", + "View Replies": "Преглед на отговорите", + "Visibility": "Видимост", + "Voice": "Глас", + "Voice Input": "Гласов вход", + "Warning": "Предупреждение", + "Warning:": "Предупреждение:", + "Warning: Enabling this will allow users to upload arbitrary code on the server.": "Предупреждение: Активирането на това ще позволи на потребителите да качват произволен код на сървъра.", + "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Ако актуализирате или промените вашия модел за вграждане, трябва да повторите импортирането на всички документи.", + "Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Предупреждение: Изпълнението на Jupyter позволява произволно изпълнение на код, което представлява сериозни рискове за сигурността—продължете с изключително внимание.", + "Web": "Уеб", + "Web API": "Уеб API", + "Web Loader Settings": "Настройки за зареждане на уеб", + "Web Search": "Търсене в уеб", + "Web Search Engine": "Уеб търсачка", + "Web Search in Chat": "Уеб търсене в чата", + "Web Search Query Generation": "Генериране на заявки за уеб търсене", + "Webhook URL": "Уебхук URL", + "WebUI Settings": "WebUI Настройки", + "WebUI URL": "WebUI URL", + "WebUI will make requests to \"{{url}}/api/chat\"": "WebUI ще прави заявки към \"{{url}}/api/chat\"", + "WebUI will make requests to \"{{url}}/chat/completions\"": "WebUI ще прави заявки към \"{{url}}/chat/completions\"", + "What are you trying to achieve?": "Какво се опитвате да постигнете?", + "What are you working on?": "Върху какво работите?", + "What’s New in": "", + "When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "Когато е активирано, моделът ще отговаря на всяко съобщение в чата в реално време, генерирайки отговор веднага щом потребителят изпрати съобщение. Този режим е полезен за приложения за чат на живо, но може да повлияе на производителността на по-бавен хардуер.", + "wherever you are": "където и да сте", + "Whisper (Local)": "Whisper (Локално)", + "Why?": "Защо?", + "Widescreen Mode": "Широкоекранен режим", + "Won": "Спечелено", + "Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "Работи заедно с top-k. По-висока стойност (напр. 0.95) ще доведе до по-разнообразен текст, докато по-ниска стойност (напр. 0.5) ще генерира по-фокусиран и консервативен текст. (По подразбиране: 0.9)", + "Workspace": "Работно пространство", + "Workspace Permissions": "Разрешения за работното пространство", + "Write": "Напиши", + "Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)", + "Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 думи, което обобщава [тема или ключова дума].", + "Write something...": "Напишете нещо...", + "Write your model template content here": "Напишете съдържанието на вашия шаблон за модел тук", + "Yesterday": "вчера", + "You": "Вие", + "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Можете да чатите с максимум {{maxCount}} файл(а) наведнъж.", + "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Можете да персонализирате взаимодействията си с LLM-и, като добавите спомени чрез бутона 'Управление' по-долу, правейки ги по-полезни и съобразени с вас.", + "You cannot upload an empty file.": "Не можете да качите празен файл.", + "You do not have permission to access this feature.": "Нямате разрешение за достъп до тази функция.", + "You do not have permission to upload files": "Нямате разрешение да качвате файлове", + "You do not have permission to upload files.": "Нямате разрешение да качвате файлове.", + "You have no archived conversations.": "Нямате архивирани разговори.", + "You have shared this chat": "Вие сте споделили този чат", + "You're a helpful assistant.": "Вие сте полезен асистент.", + "You're now logged in.": "Сега вие влязохте в системата.", + "Your account status is currently pending activation.": "Статусът на вашия акаунт в момента очаква активиране.", + "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "Цялата ви вноска ще отиде директно при разработчика на плъгина; Open WebUI не взима никакъв процент. Въпреки това, избраната платформа за финансиране може да има свои собствени такси.", + "Youtube": "Youtube", + "Youtube Loader Settings": "Настройки за зареждане от Youtube" } diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index ca423e03f..8ca1ac0d3 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "আলোচনায় যুক্ত করার জন্য যে কোন ফাইল এখানে ড্রপ করুন", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "যেমন '30s','10m'. সময়ের অনুমোদিত অনুমোদিত এককগুলি হচ্ছে 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Top K লিখুন", "Enter URL (e.g. http://127.0.0.1:7860/)": "ইউআরএল দিন (যেমন http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "ইউআরএল দিন (যেমন http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "সাধারণ", "General Settings": "সাধারণ সেটিংসমূহ", "Generate an image": "", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index 1ce80f198..e99cbbce4 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -182,6 +182,7 @@ "Code execution": "Execució de codi", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Codi formatat correctament", "Code Interpreter": "Intèrpret de codi", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Dibuixar", "Drop any files here to add to the conversation": "Deixa qualsevol arxiu aquí per afegir-lo a la conversa", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p. ex. '30s','10m'. Les unitats de temps vàlides són 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text", "e.g. My Filter": "p. ex. El meu filtre", "e.g. My Tools": "p. ex. Les meves eines", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Introdueix la clau API de Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Entra la URL pública de WebUI. Aquesta URL s'utilitzarà per generar els enllaços en les notificacions.", "Enter Tika Server URL": "Introdueix l'URL del servidor Tika", + "Enter timeout in seconds": "", "Enter Top K": "Introdueix Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Introdueix l'URL (p. ex. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Introdueix l'URL (p. ex. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Les funcions permeten l'execució de codi arbitrari", "Functions allow arbitrary code execution.": "Les funcions permeten l'execució de codi arbitrari.", "Functions imported successfully": "Les funcions s'han importat correctament", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "General", "General Settings": "Preferències generals", "Generate an image": "Generar una imatge", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index c3cea4909..daf880637 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Ihulog ang bisan unsang file dinhi aron idugang kini sa panag-istoryahanay", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p. ", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Pagsulod sa Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Pagsulod sa URL (e.g. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Heneral", "General Settings": "kinatibuk-ang mga setting", "Generate an image": "", diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json index 535f3a310..d73759106 100644 --- a/src/lib/i18n/locales/cs-CZ/translation.json +++ b/src/lib/i18n/locales/cs-CZ/translation.json @@ -182,6 +182,7 @@ "Code execution": "Provádění kódu", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kód byl úspěšně naformátován.", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Namalovat", "Drop any files here to add to the conversation": "Sem přetáhněte libovolné soubory, které chcete přidat do konverzace", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "např. '30s','10m'. Platné časové jednotky jsou 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Zadejte API klíč Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Zadejte URL serveru Tika", + "Enter timeout in seconds": "", "Enter Top K": "Zadejte horní K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Zadejte URL (např. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Zadejte URL (např. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funkce umožňují vykonávat libovolný kód.", "Functions allow arbitrary code execution.": "Funkce umožňují provádění libovolného kódu.", "Functions imported successfully": "Funkce byly úspěšně importovány", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Obecný", "General Settings": "Obecná nastavení", "Generate an image": "", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index 1ca37c9a7..43fbd4026 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kode formateret korrekt", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Upload filer her for at tilføje til samtalen", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "f.eks. '30s', '10m'. Tilladte værdier er 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Indtast Tavily API-nøgle", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Indtast Tika Server URL", + "Enter timeout in seconds": "", "Enter Top K": "Indtast Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Indtast URL (f.eks. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Indtast URL (f.eks. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funktioner tillader kørsel af vilkårlig kode", "Functions allow arbitrary code execution.": "Funktioner tillader kørsel af vilkårlig kode.", "Functions imported successfully": "Funktioner importeret.", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Generelt", "General Settings": "Generelle indstillinger", "Generate an image": "", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index 3b1e99491..cab53b54f 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -182,6 +182,7 @@ "Code execution": "Codeausführung", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Code erfolgreich formatiert", "Code Interpreter": "Code-Interpreter", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Zeichnen", "Drop any files here to add to the conversation": "Ziehen Sie beliebige Dateien hierher, um sie der Unterhaltung hinzuzufügen", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "z. B. '30s','10m'. Gültige Zeiteinheiten sind 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen", "e.g. My Filter": "z. B. Mein Filter", "e.g. My Tools": "z. B. Meine Werkzeuge", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Geben Sie den Tavily-API-Schlüssel ein", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Geben sie die öffentliche URL Ihrer WebUI ein. Diese URL wird verwendet, um Links in den Benachrichtigungen zu generieren.", "Enter Tika Server URL": "Geben Sie die Tika-Server-URL ein", + "Enter timeout in seconds": "", "Enter Top K": "Geben Sie Top K ein", "Enter URL (e.g. http://127.0.0.1:7860/)": "Geben Sie die URL ein (z. B. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Geben Sie die URL ein (z. B. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funktionen ermöglichen die Ausführung beliebigen Codes", "Functions allow arbitrary code execution.": "Funktionen ermöglichen die Ausführung beliebigen Codes.", "Functions imported successfully": "Funktionen erfolgreich importiert", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Allgemein", "General Settings": "Allgemeine Einstellungen", "Generate an image": "Bild erzeugen", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index 3f1c5caca..132b55698 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Drop files here to add to conversation", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "e.g. '30s','10m'. Much time units are 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Enter Top Wow", "Enter URL (e.g. http://127.0.0.1:7860/)": "Enter URL (e.g. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Woweral", "General Settings": "General Doge Settings", "Generate an image": "", diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json index eadd6ad66..cd8c5e9a7 100644 --- a/src/lib/i18n/locales/el-GR/translation.json +++ b/src/lib/i18n/locales/el-GR/translation.json @@ -182,6 +182,7 @@ "Code execution": "Εκτέλεση κώδικα", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Ο κώδικας μορφοποιήθηκε επιτυχώς", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Σχεδίαση", "Drop any files here to add to the conversation": "Αφήστε οποιαδήποτε αρχεία εδώ για να προστεθούν στη συνομιλία", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "π.χ. '30s','10m'. Οι έγκυρες μονάδες χρόνου είναι 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "π.χ. Ένα φίλτρο για να αφαιρέσετε βρισιές από το κείμενο", "e.g. My Filter": "π.χ. Το Φίλτρου Μου", "e.g. My Tools": "π.χ. Τα Εργαλεία Μου", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Εισάγετε το Κλειδί API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Εισάγετε το URL διακομιστή Tika", + "Enter timeout in seconds": "", "Enter Top K": "Εισάγετε το Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Εισάγετε το URL (π.χ. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Εισάγετε το URL (π.χ. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Οι λειτουργίες επιτρέπουν την εκτέλεση αυθαίρετου κώδικα", "Functions allow arbitrary code execution.": "Οι λειτουργίες επιτρέπουν την εκτέλεση αυθαίρετου κώδικα.", "Functions imported successfully": "Οι λειτουργίες εισήχθησαν με επιτυχία", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Γενικά", "General Settings": "Γενικές Ρυθμίσεις", "Generate an image": "", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index 96f7e21e1..9e52a557b 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "", "Enter URL (e.g. http://127.0.0.1:7860/)": "", "Enter URL (e.g. http://localhost:11434)": "", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "", "General Settings": "", "Generate an image": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index 96f7e21e1..9e52a557b 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "", "Enter URL (e.g. http://127.0.0.1:7860/)": "", "Enter URL (e.g. http://localhost:11434)": "", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "", "General Settings": "", "Generate an image": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index af7f9539c..f819406f2 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -182,6 +182,7 @@ "Code execution": "Ejecución de código", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Se ha formateado correctamente el código.", "Code Interpreter": "Interprete de Código", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Dibujar", "Drop any files here to add to the conversation": "Suelta cualquier archivo aquí para agregarlo a la conversación", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p.ej. '30s','10m'. Unidades válidas de tiempo son 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar la profanidad del texto", "e.g. My Filter": "p.ej. Mi Filtro", "e.g. My Tools": "p.ej. Mis Herramientas", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Ingrese la clave API de Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Ingrese la URL pública de su WebUI. Esta URL se utilizará para generar enlaces en las notificaciones.", "Enter Tika Server URL": "Ingrese la URL del servidor Tika", + "Enter timeout in seconds": "", "Enter Top K": "Ingrese el Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Ingrese la URL (p.ej., http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Ingrese la URL (p.ej., http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funciones habilitan la ejecución de código arbitrario", "Functions allow arbitrary code execution.": "Funciones habilitan la ejecución de código arbitrario.", "Functions imported successfully": "Funciones importadas exitosamente", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "General", "General Settings": "Opciones Generales", "Generate an image": "Generar una imagen", diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json index 9d73ecf14..6e481109a 100644 --- a/src/lib/i18n/locales/eu-ES/translation.json +++ b/src/lib/i18n/locales/eu-ES/translation.json @@ -182,6 +182,7 @@ "Code execution": "Kodearen exekuzioa", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kodea ongi formateatu da", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Marraztu", "Drop any files here to add to the conversation": "Jaregin edozein fitxategi hemen elkarrizketara gehitzeko", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "adib. '30s','10m'. Denbora unitate baliodunak dira 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "adib. Testutik lizunkeriak kentzeko iragazki bat", "e.g. My Filter": "adib. Nire Iragazkia", "e.g. My Tools": "adib. Nire Tresnak", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Sartu Tavily API Gakoa", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Sartu Tika Zerbitzari URLa", + "Enter timeout in seconds": "", "Enter Top K": "Sartu Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Sartu URLa (adib. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Sartu URLa (adib. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funtzioek kode arbitrarioa exekutatzea ahalbidetzen dute", "Functions allow arbitrary code execution.": "Funtzioek kode arbitrarioa exekutatzea ahalbidetzen dute.", "Functions imported successfully": "Funtzioak ongi inportatu dira", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Orokorra", "General Settings": "Ezarpen Orokorrak", "Generate an image": "", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index bbcc12272..3de2a4943 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "هر فایلی را اینجا رها کنید تا به مکالمه اضافه شود", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "به طور مثال '30s','10m'. واحد\u200cهای زمانی معتبر 's', 'm', 'h' هستند.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "مقدار Top K را وارد کنید", "Enter URL (e.g. http://127.0.0.1:7860/)": "مقدار URL را وارد کنید (مثال http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "مقدار URL را وارد کنید (مثال http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "درون\u200cریزی توابع با موفقیت انجام شد", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "عمومی", "General Settings": "تنظیمات عمومی", "Generate an image": "", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index 6374a2a16..bb14f099c 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -182,6 +182,7 @@ "Code execution": "Koodin suorittaminen", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Koodin muotoilu onnistui", "Code Interpreter": "Ohjelmatulkki", "Code Interpreter Engine": "Ohjelmatulkin moottori", @@ -321,6 +322,7 @@ "Draw": "Piirros", "Drop any files here to add to the conversation": "Pudota tiedostoja tähän lisätäksesi ne keskusteluun", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "esim. '30s', '10m'. Kelpoiset aikayksiköt ovat 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "esim. suodatin, joka poistaa kirosanoja tekstistä", "e.g. My Filter": "esim. Oma suodatin", "e.g. My Tools": "esim. Omat työkalut", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Kirjoita Tavily API -avain", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Kirjoita julkinen WebUI verkko-osoitteesi. Verkko-osoitetta käytetään osoitteiden luontiin ilmoituksissa.", "Enter Tika Server URL": "Kirjoita Tika Server URL", + "Enter timeout in seconds": "", "Enter Top K": "Kirjoita Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Kirjoita URL-osoite (esim. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Kirjoita URL-osoite (esim. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Toiminnot sallivat mielivaltaisen koodin suorittamisen", "Functions allow arbitrary code execution.": "Toiminnot sallivat mielivaltaisen koodin suorittamisen.", "Functions imported successfully": "Toiminnot tuotu onnistuneesti", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Yleinen", "General Settings": "Yleiset asetukset", "Generate an image": "Luo kuva", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index 0d1f2a9f4..32df37410 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Le code a été formaté avec succès", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Déposez des fichiers ici pour les ajouter à la conversation", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "par ex. '30s', '10 min'. Les unités de temps valides sont 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Entrez la clé API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Entrez les Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Entrez l'URL (par ex. {http://127.0.0.1:7860/})", "Enter URL (e.g. http://localhost:11434)": "Entrez l'URL (par ex. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "Fonctions importées avec succès", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Général", "General Settings": "Paramètres Généraux", "Generate an image": "", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index c88a4e8ea..550db46b5 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -182,6 +182,7 @@ "Code execution": "Exécution de code", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Le code a été formaté avec succès", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Match nul", "Drop any files here to add to the conversation": "Déposez des fichiers ici pour les ajouter à la conversation", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "par ex. '30s', '10 min'. Les unités de temps valides sont 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte", "e.g. My Filter": "par ex. Mon Filtre", "e.g. My Tools": "par ex. Mes Outils", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Entrez la clé API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Entrez l'URL publique de votre WebUI. Cette URL sera utilisée pour générer des liens dans les notifications.", "Enter Tika Server URL": "Entrez l'URL du serveur Tika", + "Enter timeout in seconds": "", "Enter Top K": "Entrez les Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Entrez l'URL (par ex. {http://127.0.0.1:7860/})", "Enter URL (e.g. http://localhost:11434)": "Entrez l'URL (par ex. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Les fonctions permettent l'exécution de code arbitraire", "Functions allow arbitrary code execution.": "Les fonctions permettent l'exécution de code arbitraire.", "Functions imported successfully": "Fonctions importées avec succès", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Général", "General Settings": "Paramètres généraux", "Generate an image": "", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index 1f059997d..51ea3483c 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "גרור כל קובץ לכאן כדי להוסיף לשיחה", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "למשל '30s', '10m'. יחידות זמן חוקיות הן 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "הזן Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "הזן כתובת URL (למשל http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "הזן כתובת URL (למשל http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "כללי", "General Settings": "הגדרות כלליות", "Generate an image": "", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index e37d1dd3a..66a81e164 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "बातचीत में जोड़ने के लिए कोई भी फ़ाइल यहां छोड़ें", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "जैसे '30s', '10m', मान्य समय इकाइयाँ 's', 'm', 'h' हैं।", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "शीर्ष K दर्ज करें", "Enter URL (e.g. http://127.0.0.1:7860/)": "यूआरएल दर्ज करें (उदा. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "यूआरएल दर्ज करें (उदा. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "सामान्य", "General Settings": "सामान्य सेटिंग्स", "Generate an image": "", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index 91a99faf7..e82be7ccf 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Spustite bilo koje datoteke ovdje za dodavanje u razgovor", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "npr. '30s','10m'. Važeće vremenske jedinice su 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Unesite Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Unesite URL (npr. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Unesite URL (npr. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Općenito", "General Settings": "Opće postavke", "Generate an image": "", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json index 7a18eb7dc..6e7089e42 100644 --- a/src/lib/i18n/locales/hu-HU/translation.json +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -182,6 +182,7 @@ "Code execution": "Kód végrehajtás", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kód sikeresen formázva", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Rajzolás", "Drop any files here to add to the conversation": "Húzz ide fájlokat a beszélgetéshez való hozzáadáshoz", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "pl. '30s','10m'. Érvényes időegységek: 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Add meg a Tavily API kulcsot", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Add meg a Tika szerver URL-t", + "Enter timeout in seconds": "", "Enter Top K": "Add meg a Top K értéket", "Enter URL (e.g. http://127.0.0.1:7860/)": "Add meg az URL-t (pl. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Add meg az URL-t (pl. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "A funkciók tetszőleges kód végrehajtását teszik lehetővé", "Functions allow arbitrary code execution.": "A funkciók tetszőleges kód végrehajtását teszik lehetővé.", "Functions imported successfully": "Funkciók sikeresen importálva", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Általános", "General Settings": "Általános beállítások", "Generate an image": "", diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index b764d4813..848072408 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kode berhasil diformat", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Letakkan file apa pun di sini untuk ditambahkan ke percakapan", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "misalnya '30-an', '10m'. Satuan waktu yang valid adalah 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Masukkan Kunci API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Masukkan Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Masukkan URL (mis. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Masukkan URL (mis. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "Fungsi berhasil diimpor", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Umum", "General Settings": "Pengaturan Umum", "Generate an image": "", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index d901354c3..131e680f2 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -182,6 +182,7 @@ "Code execution": "Cód a fhorghníomhú", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Cód formáidithe go rathúil", "Code Interpreter": "Ateangaire Cód", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Tarraing", "Drop any files here to add to the conversation": "Scaoil aon chomhaid anseo le cur leis an gcomhrá", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "m.sh. '30s', '10m'. Is iad aonaid ama bailí ná 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "m.h. Scagaire chun profanity a bhaint as téacs", "e.g. My Filter": "m.sh. Mo Scagaire", "e.g. My Tools": "e.g. Mo Uirlisí", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Cuir isteach eochair API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Cuir isteach URL poiblí do WebUI. Bainfear úsáid as an URL seo chun naisc a ghiniúint sna fógraí.", "Enter Tika Server URL": "Cuir isteach URL freastalaí Tika", + "Enter timeout in seconds": "", "Enter Top K": "Cuir isteach Barr K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Iontráil URL (m.sh. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Iontráil URL (m.sh. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Ligeann feidhmeanna forghníomhú cód", "Functions allow arbitrary code execution.": "Ceadaíonn feidhmeanna forghníomhú cód treallach.", "Functions imported successfully": "Feidhmeanna allmhairi", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Ginearálta", "General Settings": "Socruithe Ginearálta", "Generate an image": "Gin íomhá", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index 4f4cfb050..a93090147 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Trascina qui i file da aggiungere alla conversazione", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "ad esempio '30s','10m'. Le unità di tempo valide sono 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Inserisci Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Inserisci URL (ad esempio http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Inserisci URL (ad esempio http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Generale", "General Settings": "Impostazioni generali", "Generate an image": "", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index 47ff03e3b..117e0f8bd 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "コードフォーマットに成功しました", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "会話を追加するには、ここにファイルをドロップしてください", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例: '30秒'、'10分'。有効な時間単位は '秒'、'分'、'時間' です。", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Tavily API Keyを入力してください。", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Tika Server URLを入力してください。", + "Enter timeout in seconds": "", "Enter Top K": "トップ K を入力してください", "Enter URL (e.g. http://127.0.0.1:7860/)": "URL を入力してください (例: http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "URL を入力してください (例: http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "Functionsのインポートが成功しました", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "一般", "General Settings": "一般設定", "Generate an image": "", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index b75489ea3..63527dc05 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "გადაიტანეთ ფაილები აქ, რათა დაამატოთ ისინი მიმოწერაში", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "მაგალითად, '30წ', '10მ'. მოქმედი დროის ერთეულები: 'წ', 'წთ', 'სთ'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "შეიყვანეთ Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "შეიყვანეთ მისამართი (მაგალითად http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "შეიყვანეთ მისამართი (მაგალითად http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "ზოგადი", "General Settings": "ზოგადი პარამეტრები", "Generate an image": "", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index f0e8827bc..bdda272b7 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -182,6 +182,7 @@ "Code execution": "코드 실행", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "성공적으로 코드가 생성되었습니다", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "그리기", "Drop any files here to add to the conversation": "대화에 추가할 파일을 여기에 드롭하세요.", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "예: '30초','10분'. 유효한 시간 단위는 '초', '분', '시'입니다.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Tavily API 키 입력", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "WebUI의 공개 URL을 입력해 주세요. 이 URL은 알림에서 링크를 생성하는 데 사용합니다.", "Enter Tika Server URL": "Tika 서버 URL 입력", + "Enter timeout in seconds": "", "Enter Top K": "Top K 입력", "Enter URL (e.g. http://127.0.0.1:7860/)": "URL 입력(예: http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "URL 입력(예: http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "함수로 임이의 코드 실행 허용하기", "Functions allow arbitrary code execution.": "함수가 임이의 코드를 실행하도록 허용하였습니다", "Functions imported successfully": "성공적으로 함수가 가져왔습니다", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "일반", "General Settings": "일반 설정", "Generate an image": "", diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 7ff272272..282d5a735 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kodas suformatuotas sėkmingai", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Įkelkite dokumentus čia, kad juos pridėti į pokalbį", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "pvz. '30s', '10m'. Laiko vienetai yra 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Įveskite Tavily API raktą", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Įveskite Tika serverio nuorodą", + "Enter timeout in seconds": "", "Enter Top K": "Įveskite Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Įveskite nuorodą (pvz. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Įveskite nuorododą (pvz. http://localhost:11434", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funkcijos leidžia nekontroliuojamo kodo vykdymą", "Functions allow arbitrary code execution.": "Funkcijos leidžia nekontroliuojamo kodo vykdymą", "Functions imported successfully": "Funkcijos importuotos sėkmingai", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Bendri", "General Settings": "Bendri nustatymai", "Generate an image": "", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index dad9e1db9..8506b3d8b 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kod berjaya diformatkan", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Letakkan mana-mana fail di sini untuk ditambahkan pada perbualan", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "cth '30s','10m'. Unit masa yang sah ialah 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Masukkan Kunci API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Masukkan URL Pelayan Tika", + "Enter timeout in seconds": "", "Enter Top K": "Masukkan 'Top K'", "Enter URL (e.g. http://127.0.0.1:7860/)": "Masukkan URL (cth http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Masukkan URL (cth http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Fungsi membenarkan pelaksanaan kod sewenang-wenangnya", "Functions allow arbitrary code execution.": "Fungsi membenarkan pelaksanaan kod sewenang-wenangnya.", "Functions imported successfully": "Fungsi berjaya diimport", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Umum", "General Settings": "Tetapan Umum", "Generate an image": "", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index 8acca4399..10823235b 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -182,6 +182,7 @@ "Code execution": "Kodekjøring", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Koden er formatert", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Tegne", "Drop any files here to add to the conversation": "Slipp filer her for å legge dem til i samtalen", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "f.eks. '30s','10m'. Gyldige tidsenheter er 's', 'm', 't'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "f.eks. et filter for å fjerne banning fra tekst", "e.g. My Filter": "f.eks. Mitt filter", "e.g. My Tools": "f.eks. Mine verktøy", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Angi API-nøkkel for Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Angi server-URL for Tika", + "Enter timeout in seconds": "", "Enter Top K": "Angi Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Angi URL (f.eks. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Angi URL (f.eks. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funksjoner tillater vilkårlig kodekjøring", "Functions allow arbitrary code execution.": "Funksjoner tillater vilkårlig kodekjøring.", "Functions imported successfully": "Funksjoner er importert", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Generelt", "General Settings": "Generelle innstillinger", "Generate an image": "", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 21d3e0c53..36f79bf14 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -182,6 +182,7 @@ "Code execution": "Code uitvoeren", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Code succesvol geformateerd", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Teken", "Drop any files here to add to the conversation": "Sleep hier bestanden om toe te voegen aan het gesprek", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "bijv. '30s', '10m'. Geldige tijdseenheden zijn 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "bijv. Een filter om gevloek uit tekst te verwijderen", "e.g. My Filter": "bijv. Mijn filter", "e.g. My Tools": "bijv. Mijn gereedschappen", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Voer Tavily API-sleutel in", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Voer Tika Server URL in", + "Enter timeout in seconds": "", "Enter Top K": "Voeg Top K toe", "Enter URL (e.g. http://127.0.0.1:7860/)": "Voer URL in (Bijv. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Voer URL in (Bijv. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Functies staan willekeurige code-uitvoering toe", "Functions allow arbitrary code execution.": "Functies staan willekeurige code-uitvoering toe", "Functions imported successfully": "Functies succesvol geïmporteerd", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Algemeen", "General Settings": "Algemene instellingen", "Generate an image": "", diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index e7f8c2096..ee638bb22 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "ਗੱਲਬਾਤ ਵਿੱਚ ਸ਼ਾਮਲ ਕਰਨ ਲਈ ਕੋਈ ਵੀ ਫਾਈਲ ਇੱਥੇ ਛੱਡੋ", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "ਉਦਾਹਰਣ ਲਈ '30ਸ','10ਮਿ'. ਸਹੀ ਸਮਾਂ ਇਕਾਈਆਂ ਹਨ 'ਸ', 'ਮ', 'ਘੰ'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "ਸਿਖਰ K ਦਰਜ ਕਰੋ", "Enter URL (e.g. http://127.0.0.1:7860/)": "URL ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "URL ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "ਆਮ", "General Settings": "ਆਮ ਸੈਟਿੰਗਾਂ", "Generate an image": "", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index e5d51e76a..2c49f4036 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -182,6 +182,7 @@ "Code execution": "Wykonanie kodu", "Code Execution": "Wykonanie kodu", "Code Execution Engine": "Silnik wykonawczy kodu", + "Code Execution Timeout": "", "Code formatted successfully": "Kod został sformatowany pomyślnie.", "Code Interpreter": "Interpreter kodu", "Code Interpreter Engine": "Silnik Interpretatora Kodu", @@ -321,6 +322,7 @@ "Draw": "Rysuj", "Drop any files here to add to the conversation": "Przeciągnij i upuść pliki tutaj, aby dodać je do rozmowy.", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "np. '30s', '10m'. Poprawne jednostki czasu to: 's' (sekunda), 'm' (minuta), 'h' (godzina).", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "np. Filtr do usuwania wulgaryzmów z tekstu", "e.g. My Filter": "np. Mój Filtr", "e.g. My Tools": "np. Moje Narzędzia", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Wprowadź klucz API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Wprowadź publiczny adres URL Twojego WebUI. Ten adres URL zostanie użyty do generowania linków w powiadomieniach.", "Enter Tika Server URL": "Wprowadź adres URL serwera Tika", + "Enter timeout in seconds": "", "Enter Top K": "Wprowadź {Top K}", "Enter URL (e.g. http://127.0.0.1:7860/)": "Podaj adres URL (np. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Wprowadź adres URL (np. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funkcje umożliwiają wykonanie dowolnego kodu", "Functions allow arbitrary code execution.": "Funkcje umożliwiają wykonanie dowolnego kodu.", "Functions imported successfully": "Funkcje zostały pomyślnie zaimportowane", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Ogólne", "General Settings": "Ustawienia ogólne", "Generate an image": "Wygeneruj obraz", @@ -1141,4 +1147,4 @@ "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "Cała Twoja wpłata trafi bezpośrednio do dewelopera wtyczki; Open WebUI nie pobiera żadnej prowizji. Należy jednak pamiętać, że wybrana platforma finansowania może mieć własne opłaty.", "Youtube": "Youtube", "Youtube Loader Settings": "Ustawienia ładowania z YouTube" -} \ No newline at end of file +} diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index be26c8a50..421bb8a8a 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -182,6 +182,7 @@ "Code execution": "Execução de código", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Código formatado com sucesso", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Empate", "Drop any files here to add to the conversation": "Solte qualquer arquivo aqui para adicionar à conversa", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "por exemplo, '30s', '10m'. Unidades de tempo válidas são 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "Exemplo: Um filtro para remover palavrões do texto", "e.g. My Filter": "Exemplo: Meu Filtro", "e.g. My Tools": "Exemplo: Minhas Ferramentas", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Digite a Chave API do Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Digite a URL do Servidor Tika", + "Enter timeout in seconds": "", "Enter Top K": "Digite o Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Digite a URL (por exemplo, http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Digite a URL (por exemplo, http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funções permitem a execução arbitrária de código", "Functions allow arbitrary code execution.": "Funções permitem a execução arbitrária de código.", "Functions imported successfully": "Funções importadas com sucesso", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Geral", "General Settings": "Configurações Gerais", "Generate an image": "", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index b178f6ea9..10334c5c6 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Largue os ficheiros aqui para adicionar à conversa", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "por exemplo, '30s', '10m'. Unidades de tempo válidas são 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Escreva o Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Escreva o URL (por exemplo, http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Escreva o URL (por exemplo, http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Geral", "General Settings": "Configurações Gerais", "Generate an image": "", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index 24efb11d2..68cd04df4 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -182,6 +182,7 @@ "Code execution": "Executarea codului", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Cod formatat cu succes", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Desenează", "Drop any files here to add to the conversation": "Plasează orice fișiere aici pentru a le adăuga la conversație", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "de ex. '30s', '10m'. Unitățile de timp valide sunt 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Introduceți Cheia API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Introduceți URL-ul Serverului Tika", + "Enter timeout in seconds": "", "Enter Top K": "Introduceți Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Introduceți URL-ul (de ex. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Introduceți URL-ul (de ex. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funcțiile permit executarea arbitrară a codului", "Functions allow arbitrary code execution.": "Funcțiile permit executarea arbitrară a codului.", "Functions imported successfully": "Funcțiile au fost importate cu succes", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "General", "General Settings": "Setări Generale", "Generate an image": "", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index f18d9711d..a06dbf68b 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -182,6 +182,7 @@ "Code execution": "Выполнение кода", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Код успешно отформатирован", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Рисовать", "Drop any files here to add to the conversation": "Перетащите сюда файлы, чтобы добавить их в разговор", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "например, '30s','10m'. Допустимые единицы времени: 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Введите ключ API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Введите URL-адрес сервера Tika", + "Enter timeout in seconds": "", "Enter Top K": "Введите Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Введите URL-адрес (например, http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Введите URL-адрес (например, http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Функции позволяют выполнять произвольный код", "Functions allow arbitrary code execution.": "Функции позволяют выполнять произвольный код.", "Functions imported successfully": "Функции успешно импортированы", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Общее", "General Settings": "Общие настройки", "Generate an image": "", diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json index dfde49fc8..5d8ebcd91 100644 --- a/src/lib/i18n/locales/sk-SK/translation.json +++ b/src/lib/i18n/locales/sk-SK/translation.json @@ -182,6 +182,7 @@ "Code execution": "Vykonávanie kódu", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kód bol úspešne naformátovaný.", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Nakresliť", "Drop any files here to add to the conversation": "Sem presuňte akékoľvek súbory, ktoré chcete pridať do konverzácie", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "napr. '30s','10m'. Platné časové jednotky sú 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Zadajte API kľúč Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Zadajte URL servera Tika", + "Enter timeout in seconds": "", "Enter Top K": "Zadajte horné K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Zadajte URL (napr. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Zadajte URL (napr. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Funkcie umožňujú vykonávať ľubovoľný kód.", "Functions allow arbitrary code execution.": "Funkcie umožňujú vykonávanie ľubovoľného kódu.", "Functions imported successfully": "Funkcie boli úspešne importované", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Všeobecné", "General Settings": "Všeobecné nastavenia", "Generate an image": "", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index 14618b04b..0b1a4a0f1 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -182,6 +182,7 @@ "Code execution": "Извршавање кода", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Код форматиран успешно", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Нацртај", "Drop any files here to add to the conversation": "Убаците било које датотеке овде да их додате у разговор", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "нпр. '30s', '10m'. Важеће временске јединице су 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Унесите Топ К", "Enter URL (e.g. http://127.0.0.1:7860/)": "Унесите адресу (нпр. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Унесите адресу (нпр. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Опште", "General Settings": "Општа подешавања", "Generate an image": "", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index 645c546b5..3ce482581 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Släpp filer här för att lägga till i samtalet", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "t.ex. '30s', '10m'. Giltiga tidsenheter är 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "Ange Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Ange URL (t.ex. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Ange URL (t.ex. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Allmän", "General Settings": "Allmänna inställningar", "Generate an image": "", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index 18b8efe42..41b3723bf 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "จัดรูปแบบโค้ดสำเร็จแล้ว", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "วางไฟล์ใดๆ ที่นี่เพื่อเพิ่มในการสนทนา", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "เช่น '30s', '10m' หน่วยเวลาที่ถูกต้องคือ 's', 'm', 'h'", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "ใส่คีย์ API ของ Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "ใส่ URL เซิร์ฟเวอร์ของ Tika", + "Enter timeout in seconds": "", "Enter Top K": "ใส่ Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "ใส่ URL (เช่น http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "ใส่ URL (เช่น http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "ฟังก์ชันอนุญาตการเรียกใช้โค้ดโดยพลการ", "Functions allow arbitrary code execution.": "ฟังก์ชันอนุญาตการเรียกใช้โค้ดโดยพลการ", "Functions imported successfully": "นำเข้าฟังก์ชันสำเร็จ", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "ทั่วไป", "General Settings": "การตั้งค่าทั่วไป", "Generate an image": "", diff --git a/src/lib/i18n/locales/tk-TW/translation.json b/src/lib/i18n/locales/tk-TW/translation.json index 96f7e21e1..9e52a557b 100644 --- a/src/lib/i18n/locales/tk-TW/translation.json +++ b/src/lib/i18n/locales/tk-TW/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "", + "Enter timeout in seconds": "", "Enter Top K": "", "Enter URL (e.g. http://127.0.0.1:7860/)": "", "Enter URL (e.g. http://localhost:11434)": "", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "", "Functions allow arbitrary code execution.": "", "Functions imported successfully": "", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "", "General Settings": "", "Generate an image": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index 6bef07d75..b6518a1e2 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -182,6 +182,7 @@ "Code execution": "Kod yürütme", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Kod başarıyla biçimlendirildi", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "Çiz", "Drop any files here to add to the conversation": "Sohbete eklemek istediğiniz dosyaları buraya bırakın", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "örn. '30s', '10m'. Geçerli zaman birimleri 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "örn. Metinden küfürleri kaldırmak için bir filtre", "e.g. My Filter": "örn. Benim Filtrem", "e.g. My Tools": "örn. Benim Araçlarım", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Tavily API Anahtarını Girin", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Tika Sunucu URL'sini Girin", + "Enter timeout in seconds": "", "Enter Top K": "Top K'yı girin", "Enter URL (e.g. http://127.0.0.1:7860/)": "URL'yi Girin (örn. http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "URL'yi Girin (e.g. http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Fonksiyonlar keyfi kod yürütülmesine izin verir", "Functions allow arbitrary code execution.": "Fonksiyonlar keyfi kod yürütülmesine izin verir.", "Functions imported successfully": "Fonksiyonlar başarıyla içe aktarıldı", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Genel", "General Settings": "Genel Ayarlar", "Generate an image": "", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index daf82feed..ba4ba3177 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -182,6 +182,7 @@ "Code execution": "Виконання коду", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Код успішно відформатовано", "Code Interpreter": "Інтерпретатор коду", "Code Interpreter Engine": "Двигун інтерпретатора коду", @@ -321,6 +322,7 @@ "Draw": "Малювати", "Drop any files here to add to the conversation": "Перетягніть сюди файли, щоб додати до розмови", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "напр., '30s','10m'. Дійсні одиниці часу: 'с', 'хв', 'г'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "напр., фільтр для видалення нецензурної лексики з тексту", "e.g. My Filter": "напр., Мій фільтр", "e.g. My Tools": "напр., Мої інструменти", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Введіть ключ API Tavily", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Введіть публічний URL вашого WebUI. Цей URL буде використовуватися для генерування посилань у сповіщеннях.", "Enter Tika Server URL": "Введіть URL-адресу сервера Tika ", + "Enter timeout in seconds": "", "Enter Top K": "Введіть Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Введіть URL-адресу (напр., http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Введіть URL-адресу (напр., http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Функції дозволяють виконання довільного коду", "Functions allow arbitrary code execution.": "Функції дозволяють виконання довільного коду.", "Functions imported successfully": "Функції успішно імпортовано", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Загальні", "General Settings": "Загальні налаштування", "Generate an image": "Згенерувати зображення", diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json index 797095be7..01375ea2c 100644 --- a/src/lib/i18n/locales/ur-PK/translation.json +++ b/src/lib/i18n/locales/ur-PK/translation.json @@ -182,6 +182,7 @@ "Code execution": "کوڈ کا نفاذ", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "کوڈ کامیابی سے فارمیٹ ہو گیا", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "ڈرائنگ کریں", "Drop any files here to add to the conversation": "گفتگو میں شامل کرنے کے لیے کوئی بھی فائل یہاں چھوڑیں", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "مثلاً '30s'، '10m' درست وقت کی اکائیاں ہیں 's'، 'm'، 'h'", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Tavily API کلید درج کریں", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "ٹیکا سرور یو آر ایل درج کریں", + "Enter timeout in seconds": "", "Enter Top K": "اوپر کے K درج کریں", "Enter URL (e.g. http://127.0.0.1:7860/)": "یو آر ایل درج کریں (جیسے کہ http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "یو آر ایل درج کریں (مثلاً http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "فنکشنز کوڈ کے بلاواسطہ نفاذ کی اجازت دیتے ہیں", "Functions allow arbitrary code execution.": "افعال صوابدیدی کوڈ کے اجرا کی اجازت دیتے ہیں", "Functions imported successfully": "فنکشنز کامیابی سے درآمد ہو گئے ہیں", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "عمومی", "General Settings": "عمومی ترتیبات", "Generate an image": "", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index e8d6f2aec..0fe97a547 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -182,6 +182,7 @@ "Code execution": "", "Code Execution": "", "Code Execution Engine": "", + "Code Execution Timeout": "", "Code formatted successfully": "Mã được định dạng thành công", "Code Interpreter": "", "Code Interpreter Engine": "", @@ -321,6 +322,7 @@ "Draw": "", "Drop any files here to add to the conversation": "Thả bất kỳ tệp nào ở đây để thêm vào nội dung chat", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "vd: '30s','10m'. Đơn vị thời gian hợp lệ là 's', 'm', 'h'.", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "", "e.g. My Filter": "", "e.g. My Tools": "", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "Nhập Tavily API Key", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "", "Enter Tika Server URL": "Nhập URL cho Tika Server", + "Enter timeout in seconds": "", "Enter Top K": "Nhập Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "Nhập URL (vd: http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "Nhập URL (vd: http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "Các Function cho phép thực thi mã tùy ý", "Functions allow arbitrary code execution.": "Các Function cho phép thực thi mã tùy ý.", "Functions imported successfully": "Các function đã được nạp thành công", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "Cài đặt chung", "General Settings": "Cấu hình chung", "Generate an image": "", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index e891396a3..db32da6cb 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -182,6 +182,7 @@ "Code execution": "代码执行", "Code Execution": "代码执行", "Code Execution Engine": "代码执行引擎", + "Code Execution Timeout": "", "Code formatted successfully": "代码格式化成功", "Code Interpreter": "代码解释器", "Code Interpreter Engine": "代码解释引擎", @@ -321,6 +322,7 @@ "Draw": "平局", "Drop any files here to add to the conversation": "拖动文件到此处以添加到对话中", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例如 '30s','10m'。有效的时间单位是秒:'s',分:'m',时:'h'。", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "例如:一个用于过滤文本中不当内容的过滤器", "e.g. My Filter": "例如:我的过滤器", "e.g. My Tools": "例如:我的工具", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "输入 Tavily API 密钥", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "输入 WebUI 的公共 URL。此 URL 将用于在通知中生成链接。", "Enter Tika Server URL": "输入 Tika 服务器地址", + "Enter timeout in seconds": "", "Enter Top K": "输入 Top K", "Enter URL (e.g. http://127.0.0.1:7860/)": "输入地址 (例如:http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "输入地址 (例如:http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "注意:函数有权执行任意代码", "Functions allow arbitrary code execution.": "注意:函数有权执行任意代码。", "Functions imported successfully": "函数导入成功", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "通用", "General Settings": "通用设置", "Generate an image": "生成图像", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index 8c5f9744b..c3c39e913 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -182,6 +182,7 @@ "Code execution": "程式碼執行", "Code Execution": "程式碼執行", "Code Execution Engine": "程式碼執行引擎", + "Code Execution Timeout": "", "Code formatted successfully": "程式碼格式化成功", "Code Interpreter": "程式碼解釋器", "Code Interpreter Engine": "程式碼解釋器引擎", @@ -321,6 +322,7 @@ "Draw": "繪製", "Drop any files here to add to the conversation": "拖拽任意檔案到此處以新增至對話", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例如:'30s'、'10m'。有效的時間單位為 's'、'm'、'h'。", + "e.g. 60": "", "e.g. A filter to remove profanity from text": "例如:從文字中移除髒話的篩選器", "e.g. My Filter": "例如:我的篩選器", "e.g. My Tools": "例如:我的工具", @@ -408,6 +410,7 @@ "Enter Tavily API Key": "輸入 Tavily API 金鑰", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "請輸入您 WebUI 的公開 URL。此 URL 將用於在通知中產生連結。", "Enter Tika Server URL": "輸入 Tika 伺服器 URL", + "Enter timeout in seconds": "", "Enter Top K": "輸入 Top K 值", "Enter URL (e.g. http://127.0.0.1:7860/)": "輸入 URL(例如:http://127.0.0.1:7860/)", "Enter URL (e.g. http://localhost:11434)": "輸入 URL(例如:http://localhost:11434)", @@ -500,6 +503,9 @@ "Functions allow arbitrary code execution": "函式允許執行任意程式碼", "Functions allow arbitrary code execution.": "函式允許執行任意程式碼。", "Functions imported successfully": "成功匯入函式", + "Gemini": "", + "Gemini API Config": "", + "Gemini API Key is required.": "", "General": "一般", "General Settings": "一般設定", "Generate an image": "產生圖片",