-
{$i18n.t('Haptic Feedback')}
+
+ {$i18n.t('Haptic Feedback')} ({$i18n.t('Android')})
+
+
+
+
{$i18n.t('iframe Sandbox Allow Same Origin')}
+
+
{
+ toggleIframeSandboxAllowSameOrigin();
+ }}
+ type="button"
+ >
+ {#if iframeSandboxAllowSameOrigin === true}
+ {$i18n.t('On')}
+ {:else}
+ {$i18n.t('Off')}
+ {/if}
+
+
+
+
+
+
+
{$i18n.t('iframe Sandbox Allow Forms')}
+
+
{
+ toggleIframeSandboxAllowForms();
+ }}
+ type="button"
+ >
+ {#if iframeSandboxAllowForms === true}
+ {$i18n.t('On')}
+ {:else}
+ {$i18n.t('Off')}
+ {/if}
+
+
+
+
{$i18n.t('Voice')}
diff --git a/src/lib/components/common/FileItem.svelte b/src/lib/components/common/FileItem.svelte
index 772b078584..75befff736 100644
--- a/src/lib/components/common/FileItem.svelte
+++ b/src/lib/components/common/FileItem.svelte
@@ -28,6 +28,14 @@
import { deleteFileById } from '$lib/apis/files';
let showModal = false;
+
+ const decodeString = (str: string) => {
+ try {
+ return decodeURIComponent(str);
+ } catch (e) {
+ return str;
+ }
+ };
{#if item}
@@ -82,7 +90,7 @@
{#if !small}
- {decodeURIComponent(name)}
+ {decodeString(name)}
@@ -101,11 +109,7 @@
{:else}
-
+
{#if loading}
@@ -113,7 +117,7 @@
{/if}
-
{decodeURIComponent(name)}
+
{decodeString(name)}
{formatFileSize(size)}
@@ -123,7 +127,7 @@
{#if dismissible}
{
dispatch('dismiss');
diff --git a/src/lib/components/layout/Sidebar/ChannelModal.svelte b/src/lib/components/layout/Sidebar/ChannelModal.svelte
index 87492b84d0..8ae65d2207 100644
--- a/src/lib/components/layout/Sidebar/ChannelModal.svelte
+++ b/src/lib/components/layout/Sidebar/ChannelModal.svelte
@@ -19,7 +19,7 @@
export let edit = false;
let name = '';
- let accessControl = null;
+ let accessControl = {};
let loading = false;
diff --git a/src/lib/components/workspace/Knowledge/CreateKnowledgeBase.svelte b/src/lib/components/workspace/Knowledge/CreateKnowledgeBase.svelte
index fefbbefcda..e7c1248f58 100644
--- a/src/lib/components/workspace/Knowledge/CreateKnowledgeBase.svelte
+++ b/src/lib/components/workspace/Knowledge/CreateKnowledgeBase.svelte
@@ -12,7 +12,7 @@
let name = '';
let description = '';
- let accessControl = null;
+ let accessControl = {};
const submitHandler = async () => {
loading = true;
diff --git a/src/lib/components/workspace/Knowledge/KnowledgeBase.svelte b/src/lib/components/workspace/Knowledge/KnowledgeBase.svelte
index c6f47e8def..dc0e354eca 100644
--- a/src/lib/components/workspace/Knowledge/KnowledgeBase.svelte
+++ b/src/lib/components/workspace/Knowledge/KnowledgeBase.svelte
@@ -547,6 +547,14 @@
dropZone?.removeEventListener('drop', onDrop);
dropZone?.removeEventListener('dragleave', onDragLeave);
});
+
+ const decodeString = (str: string) => {
+ try {
+ return decodeURIComponent(str);
+ } catch (e) {
+ return str;
+ }
+ };
{#if dragged}
@@ -698,7 +706,7 @@
href={selectedFile.id ? `/api/v1/files/${selectedFile.id}/content` : '#'}
target="_blank"
>
- {decodeURIComponent(selectedFile?.meta?.name)}
+ {decodeString(selectedFile?.meta?.name)}
diff --git a/src/lib/components/workspace/Prompts/PromptEditor.svelte b/src/lib/components/workspace/Prompts/PromptEditor.svelte
index 4abe5c067e..6a29d03b23 100644
--- a/src/lib/components/workspace/Prompts/PromptEditor.svelte
+++ b/src/lib/components/workspace/Prompts/PromptEditor.svelte
@@ -21,7 +21,7 @@
let command = '';
let content = '';
- let accessControl = null;
+ let accessControl = {};
let showAccessControlModal = false;
diff --git a/src/lib/components/workspace/Tools/ToolkitEditor.svelte b/src/lib/components/workspace/Tools/ToolkitEditor.svelte
index 6057be6cb5..71d1b900e9 100644
--- a/src/lib/components/workspace/Tools/ToolkitEditor.svelte
+++ b/src/lib/components/workspace/Tools/ToolkitEditor.svelte
@@ -30,7 +30,7 @@
description: ''
};
export let content = '';
- export let accessControl = null;
+ export let accessControl = {};
let _content = '';
@@ -50,22 +50,20 @@
let boilerplate = `import os
import requests
from datetime import datetime
-
+from pydantic import BaseModel, Field
class Tools:
def __init__(self):
pass
- # Add your custom tools using pure Python code here, make sure to add type hints
- # Use Sphinx-style docstrings to document your tools, they will be used for generating tools specifications
- # Please refer to function_calling_filter_pipeline.py file from pipelines project for an example
-
+ # Add your custom tools using pure Python code here, make sure to add type hints and descriptions
+
def get_user_name_and_email_and_id(self, __user__: dict = {}) -> str:
"""
Get the user name, Email and ID from the user object.
"""
- # Do not include :param for __user__ in the docstring as it should not be shown in the tool's specification
+ # Do not include a descrption for __user__ as it should not be shown in the tool's specification
# The session user object will be passed as a parameter when the function is called
print(__user__)
@@ -86,7 +84,6 @@ class Tools:
def get_current_time(self) -> str:
"""
Get the current time in a more human-readable format.
- :return: The current time.
"""
now = datetime.now()
@@ -97,10 +94,14 @@ class Tools:
return f"Current Date and Time = {current_date}, {current_time}"
- def calculator(self, equation: str) -> str:
+ def calculator(
+ self,
+ equation: str = Field(
+ ..., description="The mathematical equation to calculate."
+ ),
+ ) -> str:
"""
Calculate the result of an equation.
- :param equation: The equation to calculate.
"""
# Avoid using eval in production code
@@ -112,12 +113,16 @@ class Tools:
print(e)
return "Invalid equation"
- def get_current_weather(self, city: str) -> str:
+ def get_current_weather(
+ self,
+ city: str = Field(
+ "New York, NY", description="Get the current weather for a given city."
+ ),
+ ) -> str:
"""
Get the current weather for a given city.
- :param city: The name of the city to get the weather for.
- :return: The current weather information or an error message.
"""
+
api_key = os.getenv("OPENWEATHER_API_KEY")
if not api_key:
return (
diff --git a/src/lib/components/workspace/common/AccessControl.svelte b/src/lib/components/workspace/common/AccessControl.svelte
index 9c3e0dd8b2..78feb9facd 100644
--- a/src/lib/components/workspace/common/AccessControl.svelte
+++ b/src/lib/components/workspace/common/AccessControl.svelte
@@ -13,7 +13,7 @@
export let onChange: Function = () => {};
export let accessRoles = ['read'];
- export let accessControl = null;
+ export let accessControl = {};
export let allowPublic = true;
diff --git a/src/lib/components/workspace/common/AccessControlModal.svelte b/src/lib/components/workspace/common/AccessControlModal.svelte
index d694082630..41f0083cfd 100644
--- a/src/lib/components/workspace/common/AccessControlModal.svelte
+++ b/src/lib/components/workspace/common/AccessControlModal.svelte
@@ -6,7 +6,7 @@
import AccessControl from './AccessControl.svelte';
export let show = false;
- export let accessControl = null;
+ export let accessControl = {};
export let accessRoles = ['read'];
export let allowPublic = true;
diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json
index 596189aeb4..b391cfecd4 100644
--- a/src/lib/i18n/locales/ar-BH/translation.json
+++ b/src/lib/i18n/locales/ar-BH/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "جميع الملفات",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "يستطيع حذف المحادثات",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "و",
"and {{COUNT}} more": "",
"and create a new shared link.": "و أنشئ رابط مشترك جديد.",
+ "Android": "",
"API Base URL": "API الرابط الرئيسي",
"API Key": "API مفتاح",
"API Key created.": "API تم أنشاء المفتاح",
@@ -141,7 +146,6 @@
"Brave Search API Key": "مفتاح واجهة برمجة تطبيقات البحث الشجاع",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "تجاوز التحقق من SSL للموقع",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "تم نسخ عنوان URL للدردشة المشتركة إلى الحافظة",
"Copied to clipboard": "",
"Copy": "نسخ",
+ "Copy Formatted Text": "",
"Copy last code block": "انسخ كتلة التعليمات البرمجية الأخيرة",
"Copy last response": "انسخ الرد الأخير",
"Copy Link": "أنسخ الرابط",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "وصف",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "لم أتبع التعليمات بشكل كامل",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "تعديل",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "أدخل عنوان URL ل Github Raw",
"Enter Google PSE API Key": "أدخل مفتاح واجهة برمجة تطبيقات PSE من Google",
"Enter Google PSE Engine Id": "أدخل معرف محرك PSE من Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "(e.g. 50) أدخل عدد الخطوات",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "أدخل تسلسل التوقف",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "تم اكتشاف انتحال بصمة الإصبع: غير قادر على استخدام الأحرف الأولى كصورة رمزية. الافتراضي لصورة الملف الشخصي الافتراضية.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "دفق قطع الاستجابة الخارجية الكبيرة بسلاسة",
"Focus chat input": "التركيز على إدخال الدردشة",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "اللغة",
+ "Language Locales": "",
"Last Active": "آخر نشاط",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "الحد الأدنى من النقاط",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "صمامات خطوط الأنابيب",
"Plain text (.txt)": "نص عادي (.txt)",
"Playground": "مكان التجربة",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "ملاحظات الإصدار",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "إزالة",
"Remove Model": "حذف الموديل",
"Rename": "إعادة تسمية",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "المصدر",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "{{error}} خطأ في التعرف على الكلام",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "أخبرنا المزيد:",
"Temperature": "درجة حرارة",
"Template": "نموذج",
@@ -1179,6 +1203,7 @@
"variable": "المتغير",
"variable to have them replaced with clipboard content.": "متغير لاستبدالها بمحتوى الحافظة.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "إصدار",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "بحث الويب",
"Web Search Engine": "محرك بحث الويب",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json
index d4f6a982ed..264b6b8685 100644
--- a/src/lib/i18n/locales/ar/translation.json
+++ b/src/lib/i18n/locales/ar/translation.json
@@ -57,13 +57,17 @@
"All": "الكل",
"All Documents": "جميع المستندات",
"All models deleted successfully": "تم حذف جميع النماذج بنجاح",
+ "Allow Call": "",
"Allow Chat Controls": "السماح بوسائل التحكم في المحادثة",
"Allow Chat Delete": "السماح بحذف المحادثة",
"Allow Chat Deletion": "السماح بحذف المحادثة",
"Allow Chat Edit": "السماح بتعديل المحادثة",
"Allow File Upload": "السماح بتحميل الملفات",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "السماح بالأصوات غير المحلية",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "السماح بالمحادثة المؤقتة",
+ "Allow Text to Speech": "",
"Allow User Location": "السماح بتحديد موقع المستخدم",
"Allow Voice Interruption in Call": "السماح بانقطاع الصوت أثناء المكالمة",
"Allowed Endpoints": "النقاط النهائية المسموح بها",
@@ -79,6 +83,7 @@
"and": "و",
"and {{COUNT}} more": "و{{COUNT}} المزيد",
"and create a new shared link.": "وإنشاء رابط مشترك جديد.",
+ "Android": "",
"API Base URL": "الرابط الأساسي لواجهة API",
"API Key": "مفتاح واجهة برمجة التطبيقات (API)",
"API Key created.": "تم إنشاء مفتاح واجهة API.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "مفتاح API لـ Brave Search",
"By {{name}}": "بواسطة {{name}}",
"Bypass Embedding and Retrieval": "تجاوز التضمين والاسترجاع",
- "Bypass SSL verification for Websites": "تجاوز التحقق من SSL للمواقع",
"Calendar": "التقويم",
"Call": "مكالمة",
"Call feature is not supported when using Web STT engine": "ميزة الاتصال غير مدعومة عند استخدام محرك Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "تم نسخ رابط المحادثة المشترك إلى الحافظة!",
"Copied to clipboard": "تم النسخ إلى الحافظة",
"Copy": "نسخ",
+ "Copy Formatted Text": "",
"Copy last code block": "نسخ آخر كتلة شيفرة",
"Copy last response": "نسخ آخر رد",
"Copy Link": "نسخ الرابط",
@@ -303,6 +308,7 @@
"Deleted User": "مستخدم محذوف",
"Describe your knowledge base and objectives": "صف قاعدة معرفتك وأهدافك",
"Description": "وصف",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "لم أتبع التعليمات بشكل كامل",
"Direct": "",
"Direct Connections": "الاتصالات المباشرة",
@@ -358,6 +364,7 @@
"e.g. my_filter": "مثال: my_filter",
"e.g. my_tools": "مثال: my_tools",
"e.g. Tools for performing various operations": "مثال: أدوات لتنفيذ عمليات متنوعة",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "تعديل",
"Edit Arena Model": "تعديل نموذج Arena",
"Edit Channel": "تعديل القناة",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "أدخل مفتاح تحليل المستندات",
"Enter domains separated by commas (e.g., example.com,site.org)": "أدخل النطاقات مفصولة بفواصل (مثال: example.com,site.org)",
"Enter Exa API Key": "أدخل مفتاح API لـ Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "أدخل عنوان URL ل Github Raw",
"Enter Google PSE API Key": "أدخل مفتاح واجهة برمجة تطبيقات PSE من Google",
"Enter Google PSE Engine Id": "أدخل معرف محرك PSE من Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "أدخل مفتاح API لـ Mojeek Search",
"Enter Number of Steps (e.g. 50)": "(e.g. 50) أدخل عدد الخطوات",
"Enter Perplexity API Key": "أدخل مفتاح API لـ Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "أدخل عنوان البروكسي (مثال: https://user:password@host:port)",
"Enter reasoning effort": "أدخل مستوى الجهد في الاستدلال",
"Enter Sampler (e.g. Euler a)": "أدخل العينة (مثال: Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "أدخل مضيف الخادم",
"Enter server label": "أدخل تسمية الخادم",
"Enter server port": "أدخل منفذ الخادم",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "أدخل تسلسل التوقف",
"Enter system prompt": "أدخل موجه النظام",
"Enter system prompt here": "",
"Enter Tavily API Key": "أدخل مفتاح API لـ Tavily",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "أدخل الرابط العلني لـ WebUI الخاص بك. سيتم استخدام هذا الرابط لإنشاء روابط داخل الإشعارات.",
"Enter Tika Server URL": "أدخل رابط خادم Tika",
"Enter timeout in seconds": "أدخل المهلة بالثواني",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "تم الآن تفعيل الفلتر على مستوى النظام",
"Filters": "الفلاتر",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "تم اكتشاف انتحال بصمة الإصبع: غير قادر على استخدام الأحرف الأولى كصورة رمزية. الافتراضي لصورة الملف الشخصي الافتراضية.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "دفق قطع الاستجابة الخارجية الكبيرة بسلاسة",
"Focus chat input": "التركيز على إدخال الدردشة",
"Folder deleted successfully": "تم حذف المجلد بنجاح",
@@ -589,6 +605,8 @@
"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": "المعرّف",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "أشعل الفضول",
"Image": "صورة",
"Image Compression": "ضغط الصور",
@@ -649,6 +667,7 @@
"Label": "التسمية",
"Landing Page Mode": "وضع الصفحة الرئيسية",
"Language": "اللغة",
+ "Language Locales": "",
"Last Active": "آخر نشاط",
"Last Modified": "آخر تعديل",
"Last reply": "آخر رد",
@@ -702,7 +721,6 @@
"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",
@@ -833,6 +851,8 @@
"Pipelines Valves": "صمامات خطوط الأنابيب",
"Plain text (.txt)": "نص عادي (.txt)",
"Playground": "مكان التجربة",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "يرجى مراجعة التحذيرات التالية بعناية:",
"Please do not close the settings page while loading the model.": "الرجاء عدم إغلاق صفحة الإعدادات أثناء تحميل النموذج.",
"Please enter a prompt": "الرجاء إدخال توجيه",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "ملاحظات الإصدار",
"Relevance": "الصلة",
+ "Relevance Threshold": "",
"Remove": "إزالة",
"Remove Model": "حذف الموديل",
"Rename": "إعادة تسمية",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "سجّل في {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "جارٍ تسجيل الدخول إلى {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "المصدر",
"Speech Playback Speed": "سرعة تشغيل الصوت",
"Speech recognition error: {{error}}": "{{error}} خطأ في التعرف على الكلام",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "اضغط للمقاطعة",
"Tasks": "المهام",
"Tavily API Key": "مفتاح API لـ Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "أخبرنا المزيد:",
"Temperature": "درجة حرارة",
"Template": "نموذج",
@@ -1179,6 +1203,7 @@
"variable": "المتغير",
"variable to have them replaced with clipboard content.": "متغير لاستبدالها بمحتوى الحافظة.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "إصدار",
"Version {{selectedVersion}} of {{totalVersions}}": "الإصدار {{selectedVersion}} من {{totalVersions}}",
"View Replies": "عرض الردود",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "تحذير: تنفيذ كود Jupyter يتيح تنفيذ كود عشوائي مما يشكل مخاطر أمنية جسيمة—تابع بحذر شديد.",
"Web": "Web",
"Web API": "واجهة برمجة التطبيقات (API)",
+ "Web Loader Engine": "",
"Web Search": "بحث الويب",
"Web Search Engine": "محرك بحث الويب",
"Web Search in Chat": "بحث ويب داخل المحادثة",
diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json
index 6290eb46dd..f48faa24f4 100644
--- a/src/lib/i18n/locales/bg-BG/translation.json
+++ b/src/lib/i18n/locales/bg-BG/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Всички Документи",
"All models deleted successfully": "Всички модели са изтрити успешно",
+ "Allow Call": "",
"Allow Chat Controls": "Разреши контроли на чата",
"Allow Chat Delete": "Разреши изтриване на чат",
"Allow Chat Deletion": "Позволи Изтриване на Чат",
"Allow Chat Edit": "Разреши редактиране на чат",
"Allow File Upload": "Разреши качване на файлове",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Разреши нелокални гласове",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Разреши временен чат",
+ "Allow Text to Speech": "",
"Allow User Location": "Разреши местоположение на потребителя",
"Allow Voice Interruption in Call": "Разреши прекъсване на гласа по време на разговор",
"Allowed Endpoints": "Разрешени крайни точки",
@@ -79,6 +83,7 @@
"and": "и",
"and {{COUNT}} more": "и още {{COUNT}}",
"and create a new shared link.": "и създай нов общ линк.",
+ "Android": "",
"API Base URL": "API Базов URL",
"API Key": "API Ключ",
"API Key created.": "API Ключ създаден.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "API ключ за Brave Search",
"By {{name}}": "От {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Изключване на SSL проверката за сайтове",
"Calendar": "Календар",
"Call": "Обаждане",
"Call feature is not supported when using Web STT engine": "Функцията за обаждане не се поддържа при използване на Web STT двигател",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Копирана е връзката за споделен чат в клипборда!",
"Copied to clipboard": "Копирано в клипборда",
"Copy": "Копирай",
+ "Copy Formatted Text": "",
"Copy last code block": "Копиране на последен код блок",
"Copy last response": "Копиране на последен отговор",
"Copy Link": "Копиране на връзка",
@@ -303,6 +308,7 @@
"Deleted User": "Изтрит потребител",
"Describe your knowledge base and objectives": "Опишете вашата база от знания и цели",
"Description": "Описание",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Не следва напълно инструкциите",
"Direct": "",
"Direct Connections": "Директни връзки",
@@ -358,6 +364,7 @@
"e.g. my_filter": "напр. моят_филтър",
"e.g. my_tools": "напр. моите_инструменти",
"e.g. Tools for performing various operations": "напр. Инструменти за извършване на различни операции",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Редактиране",
"Edit Arena Model": "Редактиране на Arena модел",
"Edit Channel": "Редактиране на канал",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "Въведете домейни, разделени със запетаи (напр. example.com,site.org)",
"Enter Exa API Key": "Въведете API ключ за Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Въведете URL адрес на Github Raw",
"Enter Google PSE API Key": "Въведете API ключ за Google PSE",
"Enter Google PSE Engine Id": "Въведете идентификатор на двигателя на Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Въведете API ключ за Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Въведете брой стъпки (напр. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Въведете URL адрес на прокси (напр. https://потребител:парола@хост:порт)",
"Enter reasoning effort": "Въведете усилие за разсъждение",
"Enter Sampler (e.g. Euler a)": "Въведете семплер (напр. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Въведете хост на сървъра",
"Enter server label": "Въведете етикет на сървъра",
"Enter server port": "Въведете порт на сървъра",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Въведете стоп последователност",
"Enter system prompt": "Въведете системен промпт",
"Enter system prompt here": "",
"Enter Tavily API Key": "Въведете API ключ за Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Филтърът вече е глобално активиран",
"Filters": "Филтри",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Потвърждаване на отпечатък: Не може да се използва инициализационна буква като аватар. Потребителят се връща към стандартна аватарка.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Плавно предаване на големи части от външен отговор",
"Focus chat input": "Фокусиране на чат вход",
"Folder deleted successfully": "Папката е изтрита успешно",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Запалете любопитството",
"Image": "Изображение",
"Image Compression": "Компресия на изображения",
@@ -649,6 +667,7 @@
"Label": "Етикет",
"Landing Page Mode": "Режим на начална страница",
"Language": "Език",
+ "Language Locales": "",
"Last Active": "Последни активни",
"Last Modified": "Последно модифицирано",
"Last reply": "Последен отговор",
@@ -702,7 +721,6 @@
"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",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Клапани на пайплайни",
"Plain text (.txt)": "Обикновен текст (.txt)",
"Playground": "Плейграунд",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Моля, внимателно прегледайте следните предупреждения:",
"Please do not close the settings page while loading the model.": "Моля, не затваряйте страницата с настройки, докато моделът се зарежда.",
"Please enter a prompt": "Моля, въведете промпт",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Бележки по изданието",
"Relevance": "Релевантност",
+ "Relevance Threshold": "",
"Remove": "Изтриване",
"Remove Model": "Изтриване на модела",
"Rename": "Преименуване",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Регистрирайте се в {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Вписване в {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Източник",
"Speech Playback Speed": "Скорост на възпроизвеждане на речта",
"Speech recognition error: {{error}}": "Грешка при разпознаване на реч: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Докоснете за прекъсване",
"Tasks": "Задачи",
"Tavily API Key": "Tavily API Ключ",
+ "Tavily Extract Depth": "",
"Tell us more:": "Повече информация:",
"Temperature": "Температура",
"Template": "Шаблон",
@@ -1179,6 +1203,7 @@
"variable": "променлива",
"variable to have them replaced with clipboard content.": "променлива, за да бъдат заменени със съдържанието от клипборда.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Версия",
"Version {{selectedVersion}} of {{totalVersions}}": "Версия {{selectedVersion}} от {{totalVersions}}",
"View Replies": "Преглед на отговорите",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Предупреждение: Изпълнението на Jupyter позволява произволно изпълнение на код, което представлява сериозни рискове за сигурността—продължете с изключително внимание.",
"Web": "Уеб",
"Web API": "Уеб API",
+ "Web Loader Engine": "",
"Web Search": "Търсене в уеб",
"Web Search Engine": "Уеб търсачка",
"Web Search in Chat": "Уеб търсене в чата",
diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json
index f532d738b6..e669ec3ec8 100644
--- a/src/lib/i18n/locales/bn-BD/translation.json
+++ b/src/lib/i18n/locales/bn-BD/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "সব ডকুমেন্ট",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "চ্যাট ডিলিট করতে দিন",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "এবং",
"and {{COUNT}} more": "",
"and create a new shared link.": "এবং একটি নতুন শেয়ারে লিংক তৈরি করুন.",
+ "Android": "",
"API Base URL": "এপিআই বেজ ইউআরএল",
"API Key": "এপিআই কোড",
"API Key created.": "একটি এপিআই কোড তৈরি করা হয়েছে.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "সাহসী অনুসন্ধান API কী",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "ওয়েবসাইটের জন্য SSL যাচাই বাতিল করুন",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "শেয়ারকৃত কথা-ব্যবহারের URL ক্লিপবোর্ডে কপি করা হয়েছে!",
"Copied to clipboard": "",
"Copy": "অনুলিপি",
+ "Copy Formatted Text": "",
"Copy last code block": "সর্বশেষ কোড ব্লক কপি করুন",
"Copy last response": "সর্বশেষ রেসপন্স কপি করুন",
"Copy Link": "লিংক কপি করুন",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "বিবরণ",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ইনস্ট্রাকশন সম্পূর্ণ অনুসরণ করা হয়নি",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "এডিট করুন",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "গিটহাব কাঁচা URL লিখুন",
"Enter Google PSE API Key": "গুগল পিএসই এপিআই কী লিখুন",
"Enter Google PSE Engine Id": "গুগল পিএসই ইঞ্জিন আইডি লিখুন",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "ধাপের সংখ্যা দিন (যেমন: 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "স্টপ সিকোয়েন্স লিখুন",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ফিঙ্গারপ্রিন্ট স্পুফিং ধরা পড়েছে: অ্যাভাটার হিসেবে নামের আদ্যক্ষর ব্যবহার করা যাচ্ছে না। ডিফল্ট প্রোফাইল পিকচারে ফিরিয়ে নেয়া হচ্ছে।",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "বড় এক্সটার্নাল রেসপন্স চাঙ্কগুলো মসৃণভাবে প্রবাহিত করুন",
"Focus chat input": "চ্যাট ইনপুট ফোকাস করুন",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "ভাষা",
+ "Language Locales": "",
"Last Active": "সর্বশেষ সক্রিয়",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "আপনার লিঙ্ক তৈরি করার পরে আপনার পাঠানো বার্তাগুলি শেয়ার করা হবে না। ইউআরএল ব্যবহারকারীরা শেয়ার করা চ্যাট দেখতে পারবেন।",
"Min P": "",
- "Minimum Score": "Minimum Score",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "পাইপলাইন ভালভ",
"Plain text (.txt)": "প্লায়েন টেক্সট (.txt)",
"Playground": "খেলাঘর",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "রিলিজ নোটসমূহ",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "রিমুভ করুন",
"Remove Model": "মডেল রিমুভ করুন",
"Rename": "রেনেম",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "উৎস",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "স্পিচ রিকগনিশনে সমস্যা: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "আরও বলুন:",
"Temperature": "তাপমাত্রা",
"Template": "টেম্পলেট",
@@ -1179,6 +1203,7 @@
"variable": "ভেরিয়েবল",
"variable to have them replaced with clipboard content.": "ক্লিপবোর্ডের কন্টেন্ট দিয়ে যেই ভেরিয়েবল রিপ্লেস করা যাবে।",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "ভার্সন",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "ওয়েব",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "ওয়েব অনুসন্ধান",
"Web Search Engine": "ওয়েব সার্চ ইঞ্জিন",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json
index 2e5d4949b5..d747d1d492 100644
--- a/src/lib/i18n/locales/bo-TB/translation.json
+++ b/src/lib/i18n/locales/bo-TB/translation.json
@@ -57,13 +57,17 @@
"All": "ཡོངས།",
"All Documents": "ཡིག་ཆ་ཡོངས།",
"All models deleted successfully": "དཔེ་དབྱིབས་ཡོངས་རྫོགས་ལེགས་པར་བསུབས་ཟིན།",
+ "Allow Call": "",
"Allow Chat Controls": "ཁ་བརྡའི་ཚོད་འཛིན་ལ་གནང་བ་སྤྲོད་པ།",
"Allow Chat Delete": "ཁ་བརྡ་བསུབ་པར་གནང་བ་སྤྲོད་པ།",
"Allow Chat Deletion": "ཁ་བརྡ་བསུབ་པར་གནང་བ་སྤྲོད་པ།",
"Allow Chat Edit": "ཁ་བརྡ་ཞུ་དག་ལ་གནང་བ་སྤྲོད་པ།",
"Allow File Upload": "ཡིག་ཆ་སྤར་བར་གནང་བ་སྤྲོད་པ།",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "ས་གནས་མིན་པའི་སྐད་གདངས་ལ་གནང་བ་སྤྲོད་པ།",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "གནས་སྐབས་ཁ་བརྡར་གནང་བ་སྤྲོད་པ།",
+ "Allow Text to Speech": "",
"Allow User Location": "བེད་སྤྱོད་མཁན་གནས་ཡུལ་ལ་གནང་བ་སྤྲོད་པ།",
"Allow Voice Interruption in Call": "སྐད་འབོད་ནང་གི་སྐད་ཆའི་བར་ཆད་ལ་གནང་བ་སྤྲོད་པ།",
"Allowed Endpoints": "གནང་བ་ཐོབ་པའི་མཇུག་མཐུད།",
@@ -79,6 +83,7 @@
"and": "དང་།",
"and {{COUNT}} more": "ད་དུང་ {{COUNT}}",
"and create a new shared link.": "དང་མཉམ་སྤྱོད་སྦྲེལ་ཐག་གསར་པ་ཞིག་བཟོ་བ།",
+ "Android": "",
"API Base URL": "API གཞི་རྩའི་ URL",
"API Key": "API ལྡེ་མིག",
"API Key created.": "API ལྡེ་མིག་བཟོས་ཟིན།",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API ལྡེ་མིག",
"By {{name}}": "{{name}} ཡིས།",
"Bypass Embedding and Retrieval": "ཚུད་འཇུག་དང་ལེན་ཚུར་སྒྲུབ་ལས་བརྒལ་བ།",
- "Bypass SSL verification for Websites": "དྲ་ཚིགས་ཀྱི་ SSL ར་སྤྲོད་བརྒལ་བ།",
"Calendar": "ལོ་ཐོ།",
"Call": "སྐད་འབོད།",
"Call feature is not supported when using Web STT engine": "Web STT མ་ལག་སྤྱོད་སྐབས་སྐད་འབོད་ཀྱི་ཁྱད་ཆོས་ལ་རྒྱབ་སྐྱོར་མེད།",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "མཉམ་སྤྱོད་ཁ་བརྡའི་ URL སྦྱར་སྡེར་དུ་འདྲ་བཤུས་བྱས་ཟིན།",
"Copied to clipboard": "སྦྱར་སྡེར་དུ་འདྲ་བཤུས་བྱས་པ།",
"Copy": "འདྲ་བཤུས།",
+ "Copy Formatted Text": "",
"Copy last code block": "ཀོཌ་གཏོགས་ཁོངས་མཐའ་མ་འདྲ་བཤུས།",
"Copy last response": "ལན་མཐའ་མ་འདྲ་བཤུས།",
"Copy Link": "སྦྲེལ་ཐག་འདྲ་བཤུས།",
@@ -303,6 +308,7 @@
"Deleted User": "བེད་སྤྱོད་མཁན་བསུབས་ཟིན།",
"Describe your knowledge base and objectives": "ཁྱེད་ཀྱི་ཤེས་བྱའི་རྟེན་གཞི་དང་དམིགས་ཡུལ་འགྲེལ་བཤད་བྱེད་པ།",
"Description": "འགྲེལ་བཤད།",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ལམ་སྟོན་ཡོངས་སུ་མ་བསྒྲུབས།",
"Direct": "ཐད་ཀར།",
"Direct Connections": "ཐད་ཀར་སྦྲེལ་མཐུད།",
@@ -358,6 +364,7 @@
"e.g. my_filter": "དཔེར་ན། my_filter",
"e.g. my_tools": "དཔེར་ན། my_tools",
"e.g. Tools for performing various operations": "དཔེར་ན། ལས་ཀ་སྣ་ཚོགས་སྒྲུབ་བྱེད་ཀྱི་ལག་ཆ།",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ཞུ་དག",
"Edit Arena Model": "Arena དཔེ་དབྱིབས་ཞུ་དག",
"Edit Channel": "བགྲོ་གླེང་ཞུ་དག",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "ཡིག་ཆའི་རིག་ནུས་ལྡེ་མིག་འཇུག་པ།",
"Enter domains separated by commas (e.g., example.com,site.org)": "ཚེག་བསྐུངས་ཀྱིས་ལོགས་སུ་བཀར་བའི་ཁྱབ་ཁོངས་འཇུག་པ། (དཔེར་ན། example.com,site.org)",
"Enter Exa API Key": "Exa API ལྡེ་མིག་འཇུག་པ།",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github Raw URL འཇུག་པ།",
"Enter Google PSE API Key": "Google PSE API ལྡེ་མིག་འཇུག་པ།",
"Enter Google PSE Engine Id": "Google PSE Engine Id འཇུག་པ།",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Mojeek Search API ལྡེ་མིག་འཇུག་པ།",
"Enter Number of Steps (e.g. 50)": "གོམ་གྲངས་འཇུག་པ། (དཔེར་ན། ༥༠)",
"Enter Perplexity API Key": "Perplexity API ལྡེ་མིག་འཇུག་པ།",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Proxy URL འཇུག་པ། (དཔེར་ན། https://user:password@host:port)",
"Enter reasoning effort": "རྒྱུ་མཚན་འདྲེན་པའི་འབད་བརྩོན་འཇུག་པ།",
"Enter Sampler (e.g. Euler a)": "Sampler འཇུག་པ། (དཔེར་ན། Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "སར་བར་གྱི་ Host འཇུག་པ།",
"Enter server label": "སར་བར་གྱི་བྱང་རྟགས་འཇུག་པ།",
"Enter server port": "སར་བར་གྱི་ Port འཇུག་པ།",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "མཚམས་འཇོག་རིམ་པ་འཇུག་པ།",
"Enter system prompt": "མ་ལག་གི་འགུལ་སློང་འཇུག་པ།",
"Enter system prompt here": "",
"Enter Tavily API Key": "Tavily API ལྡེ་མིག་འཇུག་པ།",
+ "Enter Tavily Extract Depth": "",
"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 Server URL འཇུག་པ།",
"Enter timeout in seconds": "སྐར་ཆའི་ནང་དུས་ཚོད་བཀག་པ་འཇུག་པ།",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "འཚག་མ་དེ་ད་ལྟ་འཛམ་གླིང་ཡོངས་ནས་སྒུལ་བསྐྱོད་བྱས་ཡོད།",
"Filters": "འཚག་མ།",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "མཛུབ་ཐེལ་རྫུན་བཟོ་རྙེད་སོང་།: མིང་གི་ཡིག་འབྲུ་མགོ་མ་སྐུ་ཚབ་ཏུ་བེད་སྤྱོད་གཏོང་མི་ཐུབ། སྔོན་སྒྲིག་ཕྱི་ཐག་པར་རིས་ལ་སྔོན་སྒྲིག་བྱེད་བཞིན་པ།",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "ཕྱི་རོལ་གྱི་ལན་གྱི་དུམ་བུ་ཆེན་པོ་རྒྱུན་བཞིན་རྒྱུག་པ།",
"Focus chat input": "ཁ་བརྡའི་ནང་འཇུག་ལ་དམིགས་པ།",
"Folder deleted successfully": "ཡིག་སྣོད་ལེགས་པར་བསུབས་ཟིན།",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybrid འཚོལ་བཤེར།",
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "ཤེས་འདོད་སློང་བ།",
"Image": "པར།",
"Image Compression": "པར་བསྡུ་སྐུམ།",
@@ -649,6 +667,7 @@
"Label": "བྱང་རྟགས།",
"Landing Page Mode": "འབབ་ཤོག་མ་དཔེ།",
"Language": "སྐད་ཡིག",
+ "Language Locales": "",
"Last Active": "མཐའ་མའི་ལས་བྱེད།",
"Last Modified": "མཐའ་མའི་བཟོ་བཅོས།",
"Last reply": "ལན་མཐའ་མ།",
@@ -702,7 +721,6 @@
"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",
@@ -833,6 +851,8 @@
"Pipelines Valves": "རྒྱུ་ལམ་གྱི་ Valve",
"Plain text (.txt)": "ཡིག་རྐྱང་རྐྱང་པ། (.txt)",
"Playground": "རྩེད་ཐང་།",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "གཤམ་གསལ་ཉེན་བརྡ་དག་ལ་ཞིབ་ཚགས་ངང་བལྟ་ཞིབ་བྱེད་རོགས།:",
"Please do not close the settings page while loading the model.": "དཔེ་དབྱིབས་ནང་འཇུག་བྱེད་སྐབས་སྒྲིག་འགོད་ཤོག་ངོས་ཁ་མ་རྒྱག་རོགས།",
"Please enter a prompt": "འགུལ་སློང་ཞིག་འཇུག་རོགས།",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "འགྲེམས་སྤེལ་མཆན་བུ།",
"Relevance": "འབྲེལ་ཡོད་རང་བཞིན།",
+ "Relevance Threshold": "",
"Remove": "འདོར་བ།",
"Remove Model": "དཔེ་དབྱིབས་འདོར་བ།",
"Rename": "མིང་བསྐྱར་འདོགས།",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "{{WEBUI_NAME}} ལ་ཐོ་འགོད།",
"Signing in to {{WEBUI_NAME}}": "{{WEBUI_NAME}} ལ་ནང་འཛུལ་བྱེད་བཞིན་པ།",
"sk-1234": "sk-༡༢༣༤",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "འབྱུང་ཁུངས།",
"Speech Playback Speed": "གཏམ་བཤད་ཕྱིར་གཏོང་གི་མྱུར་ཚད།",
"Speech recognition error: {{error}}": "གཏམ་བཤད་ངོས་འཛིན་ནོར་འཁྲུལ།: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "བར་ཆད་བྱེད་པར་མནན་པ།",
"Tasks": "ལས་འགན།",
"Tavily API Key": "Tavily API ལྡེ་མིག",
+ "Tavily Extract Depth": "",
"Tell us more:": "ང་ཚོ་ལ་མང་ཙམ་ཤོད།:",
"Temperature": "དྲོད་ཚད།",
"Template": "མ་དཔེ།",
@@ -1179,6 +1203,7 @@
"variable": "འགྱུར་ཚད།",
"variable to have them replaced with clipboard content.": "འགྱུར་ཚད་དེ་དག་སྦྱར་སྡེར་གྱི་ནང་དོན་གྱིས་ཚབ་བྱེད་པར་ཡོད་པ།",
"Verify Connection": "སྦྲེལ་མཐུད་ར་སྤྲོད།",
+ "Verify SSL Certificate": "",
"Version": "པར་གཞི།",
"Version {{selectedVersion}} of {{totalVersions}}": "པར་གཞི་ {{selectedVersion}} ། {{totalVersions}} ནས།",
"View Replies": "ལན་ལྟ་བ།",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "ཉེན་བརྡ།: Jupyter ལག་བསྟར་གྱིས་གང་འདོད་ཀྱི་ཀོཌ་ལག་བསྟར་སྒུལ་བསྐྱོད་བྱས་ནས། བདེ་འཇགས་ཀྱི་ཉེན་ཁ་ཚབས་ཆེན་བཟོ་གི་ཡོད།—ཧ་ཅང་གཟབ་ནན་གྱིས་སྔོན་སྐྱོད་བྱེད་རོགས།",
"Web": "དྲ་བ།",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "དྲ་བའི་འཚོལ་བཤེར།",
"Web Search Engine": "དྲ་བའི་འཚོལ་བཤེར་འཕྲུལ་འཁོར།",
"Web Search in Chat": "ཁ་བརྡའི་ནང་དྲ་བའི་འཚོལ་བཤེར།",
diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json
index d9ab7422a5..f726721d21 100644
--- a/src/lib/i18n/locales/ca-ES/translation.json
+++ b/src/lib/i18n/locales/ca-ES/translation.json
@@ -57,13 +57,17 @@
"All": "Tots",
"All Documents": "Tots els documents",
"All models deleted successfully": "Tots els models s'han eliminat correctament",
+ "Allow Call": "",
"Allow Chat Controls": "Permetre els controls de xat",
"Allow Chat Delete": "Permetre eliminar el xat",
"Allow Chat Deletion": "Permetre la supressió del xat",
"Allow Chat Edit": "Permetre editar el xat",
"Allow File Upload": "Permetre la pujada d'arxius",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permetre veus no locals",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Permetre el xat temporal",
+ "Allow Text to Speech": "",
"Allow User Location": "Permetre la ubicació de l'usuari",
"Allow Voice Interruption in Call": "Permetre la interrupció de la veu en una trucada",
"Allowed Endpoints": "Punts d'accés permesos",
@@ -79,6 +83,7 @@
"and": "i",
"and {{COUNT}} more": "i {{COUNT}} més",
"and create a new shared link.": "i crear un nou enllaç compartit.",
+ "Android": "",
"API Base URL": "URL Base de l'API",
"API Key": "clau API",
"API Key created.": "clau API creada.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Clau API de Brave Search",
"By {{name}}": "Per {{name}}",
"Bypass Embedding and Retrieval": "Desactivar l'Embedding i el Retrieval",
- "Bypass SSL verification for Websites": "Desactivar la verificació SSL per a l'accés a Internet",
"Calendar": "Calendari",
"Call": "Trucada",
"Call feature is not supported when using Web STT engine": "La funció de trucada no s'admet quan s'utilitza el motor Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "S'ha copiat l'URL compartida al porta-retalls!",
"Copied to clipboard": "Copiat al porta-retalls",
"Copy": "Copiar",
+ "Copy Formatted Text": "",
"Copy last code block": "Copiar l'últim bloc de codi",
"Copy last response": "Copiar l'última resposta",
"Copy Link": "Copiar l'enllaç",
@@ -303,6 +308,7 @@
"Deleted User": "Usuari eliminat",
"Describe your knowledge base and objectives": "Descriu la teva base de coneixement i objectius",
"Description": "Descripció",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "No s'han seguit les instruccions completament",
"Direct": "Directe",
"Direct Connections": "Connexions directes",
@@ -358,6 +364,7 @@
"e.g. my_filter": "p. ex. els_meus_filtres",
"e.g. my_tools": "p. ex. les_meves_eines",
"e.g. Tools for performing various operations": "p. ex. Eines per dur a terme operacions",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editar",
"Edit Arena Model": "Editar model de l'Arena",
"Edit Channel": "Editar el canal",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Introdueix la clau de Document Intelligence",
"Enter domains separated by commas (e.g., example.com,site.org)": "Introdueix els dominis separats per comes (p. ex. example.com,site.org)",
"Enter Exa API Key": "Introdueix la clau API de d'EXA",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Introdueix l'URL en brut de Github",
"Enter Google PSE API Key": "Introdueix la clau API de Google PSE",
"Enter Google PSE Engine Id": "Introdueix l'identificador del motor PSE de Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Introdueix la clau API de Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Introdueix el nombre de passos (p. ex. 50)",
"Enter Perplexity API Key": "Introdueix la clau API de Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Entra l'URL (p. ex. https://user:password@host:port)",
"Enter reasoning effort": "Introdueix l'esforç de raonament",
"Enter Sampler (e.g. Euler a)": "Introdueix el mostrejador (p.ex. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Introdueix el servidor",
"Enter server label": "Introdueix l'etiqueta del servidor",
"Enter server port": "Introdueix el port del servidor",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Introdueix la seqüència de parada",
"Enter system prompt": "Introdueix la indicació de sistema",
"Enter system prompt here": "Entra la indicació de sistema aquí",
"Enter Tavily API Key": "Introdueix la clau API de Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "Entra el temps màxim en segons",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "El filtre ha estat activat globalment",
"Filters": "Filtres",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "S'ha detectat la suplantació d'identitat de l'empremta digital: no es poden utilitzar les inicials com a avatar. S'estableix la imatge de perfil predeterminada.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Transmetre amb fluïdesa grans trossos de resposta externa",
"Focus chat input": "Estableix el focus a l'entrada del xat",
"Folder deleted successfully": "Carpeta eliminada correctament",
@@ -589,6 +605,8 @@
"Hybrid Search": "Cerca híbrida",
"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.": "Afirmo que he llegit i entenc les implicacions de la meva acció. Soc conscient dels riscos associats a l'execució de codi arbitrari i he verificat la fiabilitat de la font.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Despertar la curiositat",
"Image": "Imatge",
"Image Compression": "Compressió d'imatges",
@@ -649,6 +667,7 @@
"Label": "Etiqueta",
"Landing Page Mode": "Mode de la pàgina d'entrada",
"Language": "Idioma",
+ "Language Locales": "",
"Last Active": "Activitat recent",
"Last Modified": "Modificació",
"Last reply": "Darrera resposta",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "La classificació dels missatges s'hauria d'activar per utilitzar aquesta funció",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Els missatges enviats després de crear el teu enllaç no es compartiran. Els usuaris amb l'URL podran veure el xat compartit.",
"Min P": "Min P",
- "Minimum Score": "Puntuació mínima",
"Mirostat": "Mirostat",
"Mirostat Eta": "Eta de Mirostat",
"Mirostat Tau": "Tau de Mirostat",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Vàlvules de les Pipelines",
"Plain text (.txt)": "Text pla (.txt)",
"Playground": "Zona de jocs",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Si us plau, revisa els següents avisos amb cura:",
"Please do not close the settings page while loading the model.": "No tanquis la pàgina de configuració mentre carregues el model.",
"Please enter a prompt": "Si us plau, entra una indicació",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notes de la versió",
"Relevance": "Rellevància",
+ "Relevance Threshold": "",
"Remove": "Eliminar",
"Remove Model": "Eliminar el model",
"Rename": "Canviar el nom",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Registrar-se a {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Iniciant sessió a {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Font",
"Speech Playback Speed": "Velocitat de la parla",
"Speech recognition error: {{error}}": "Error de reconeixement de veu: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Prem per interrompre",
"Tasks": "Tasques",
"Tavily API Key": "Clau API de Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Dona'ns més informació:",
"Temperature": "Temperatura",
"Template": "Plantilla",
@@ -1179,6 +1203,7 @@
"variable": "variable",
"variable to have them replaced with clipboard content.": "variable per tenir-les reemplaçades amb el contingut del porta-retalls.",
"Verify Connection": "Verificar la connexió",
+ "Verify SSL Certificate": "",
"Version": "Versió",
"Version {{selectedVersion}} of {{totalVersions}}": "Versió {{selectedVersion}} de {{totalVersions}}",
"View Replies": "Veure les respostes",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Avís: l'execució de Jupyter permet l'execució de codi arbitrari, la qual cosa comporta greus riscos de seguretat; procediu amb extrema precaució.",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Cerca la web",
"Web Search Engine": "Motor de cerca de la web",
"Web Search in Chat": "Cerca a internet al xat",
diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json
index e669c6d1a9..30608b163f 100644
--- a/src/lib/i18n/locales/ceb-PH/translation.json
+++ b/src/lib/i18n/locales/ceb-PH/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tugoti nga mapapas ang mga chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "Ug",
"and {{COUNT}} more": "",
"and create a new shared link.": "",
+ "Android": "",
"API Base URL": "API Base URL",
"API Key": "yawe sa API",
"API Key created.": "",
@@ -141,7 +146,6 @@
"Brave Search API Key": "",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "",
"Copied to clipboard": "",
"Copy": "",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopyaha ang katapusang bloke sa code",
"Copy last response": "Kopyaha ang kataposang tubag",
"Copy Link": "",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Deskripsyon",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "",
"Enter Google PSE API Key": "",
"Enter Google PSE Engine Id": "",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Pagsulod sa gidaghanon sa mga lakang (e.g. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Pagsulod sa katapusan nga han-ay",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Hapsay nga paghatud sa daghang mga tipik sa eksternal nga mga tubag",
"Focus chat input": "Pag-focus sa entry sa diskusyon",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Pinulongan",
+ "Language Locales": "",
"Last Active": "",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "",
"Min P": "",
- "Minimum Score": "",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "",
"Playground": "Dulaanan",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Release Notes",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "",
"Remove Model": "",
"Rename": "",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Tinubdan",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Sayop sa pag-ila sa tingog: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "",
"Temperature": "Temperatura",
"Template": "Modelo",
@@ -1179,6 +1203,7 @@
"variable": "variable",
"variable to have them replaced with clipboard content.": "variable aron pulihan kini sa mga sulud sa clipboard.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Bersyon",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "",
"Web Search Engine": "",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json
index 34590a95f9..ec735ac859 100644
--- a/src/lib/i18n/locales/cs-CZ/translation.json
+++ b/src/lib/i18n/locales/cs-CZ/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Všechny dokumenty",
"All models deleted successfully": "Všechny modely úspěšně odstráněny",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Povolit odstranění chatu",
"Allow Chat Deletion": "Povolit odstranění chatu",
"Allow Chat Edit": "Povolit úpravu chatu",
"Allow File Upload": "Povolit nahrávat soubory",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Povolit ne-místní hlasy",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Povolit dočasný chat",
+ "Allow Text to Speech": "",
"Allow User Location": "Povolit uživatelskou polohu",
"Allow Voice Interruption in Call": "Povolit přerušení hlasu při hovoru",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "a",
"and {{COUNT}} more": "a {{COUNT}} další/ch",
"and create a new shared link.": "a vytvořit nový sdílený odkaz.",
+ "Android": "",
"API Base URL": "Základní URL adresa API",
"API Key": "Klíč API",
"API Key created.": "API klíč byl vytvořen.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Klíč API pro Brave Search",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Obcházení ověření SSL pro webové stránky",
"Calendar": "",
"Call": "Volání",
"Call feature is not supported when using Web STT engine": "Funkce pro volání není podporována při použití Web STT engine.",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL sdíleného chatu zkopírován do schránky!",
"Copied to clipboard": "Zkopírováno do schránky",
"Copy": "Kopírovat",
+ "Copy Formatted Text": "",
"Copy last code block": "Zkopírujte poslední blok kódu",
"Copy last response": "Zkopírujte poslední odpověď",
"Copy Link": "Kopírovat odkaz",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Popis",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nenásledovali jste přesně všechny instrukce.",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Upravit",
"Edit Arena Model": "Upravit Arena Model",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Zadejte URL adresu Github Raw",
"Enter Google PSE API Key": "Zadejte klíč rozhraní API Google PSE",
"Enter Google PSE Engine Id": "Zadejte ID vyhledávacího mechanismu Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Zadejte počet kroků (např. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Zadejte vzorkovač (např. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Zadejte ukončovací sekvenci",
"Enter system prompt": "Vložte systémový prompt",
"Enter system prompt here": "",
"Enter Tavily API Key": "Zadejte API klíč Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filtr je nyní globálně povolen.",
"Filters": "Filtry",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Detekováno padělání otisku prstu: Není možné použít iniciály jako avatar. Používá se výchozí profilový obrázek.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Plynule streamujte velké externí části odpovědí",
"Focus chat input": "Zaměřte se na vstup chatu",
"Folder deleted successfully": "Složka byla úspěšně smazána",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybridní vyhledávání",
"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.": "Beru na vědomí, že jsem si přečetl a chápu důsledky svých činů. Jsem si vědom rizik spojených s vykonáváním libovolného kódu a ověřil jsem důvěryhodnost zdroje.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "Režim vstupní stránky",
"Language": "Jazyk",
+ "Language Locales": "",
"Last Active": "Naposledy aktivní",
"Last Modified": "Poslední změna",
"Last reply": "",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Hodnocení zpráv musí být povoleno, aby bylo možné tuto funkci používat.",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Zprávy, které odešlete po vytvoření odkazu, nebudou sdíleny. Uživatelé s URL budou moci zobrazit sdílený chat.",
"Min P": "Min P",
- "Minimum Score": "Minimální skóre",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "Čistý text (.txt)",
"Playground": "",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Prosím, pečlivě si přečtěte následující upozornění:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Prosím, zadejte zadání.",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Záznamy o vydání",
"Relevance": "Relevance",
+ "Relevance Threshold": "",
"Remove": "Odebrat",
"Remove Model": "Odebrat model",
"Rename": "Přejmenovat",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Zaregistrujte se na {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Přihlašování do {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Zdroj",
"Speech Playback Speed": "Rychlost přehrávání řeči",
"Speech recognition error: {{error}}": "Chyba rozpoznávání řeči: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Klepněte pro přerušení",
"Tasks": "",
"Tavily API Key": "Klíč API pro Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Řekněte nám více.",
"Temperature": "",
"Template": "Šablona",
@@ -1179,6 +1203,7 @@
"variable": "proměnná",
"variable to have them replaced with clipboard content.": "proměnnou, aby byl jejich obsah nahrazen obsahem schránky.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Verze",
"Version {{selectedVersion}} of {{totalVersions}}": "Verze {{selectedVersion}} z {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Webové API",
+ "Web Loader Engine": "",
"Web Search": "Vyhledávání na webu",
"Web Search Engine": "Webový vyhledávač",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json
index 02a2e28ed6..f5b535f1ab 100644
--- a/src/lib/i18n/locales/da-DK/translation.json
+++ b/src/lib/i18n/locales/da-DK/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Alle dokumenter",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tillad sletning af chats",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Tillad ikke-lokale stemmer",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Tillad midlertidig chat",
+ "Allow Text to Speech": "",
"Allow User Location": "Tillad bruger-lokation",
"Allow Voice Interruption in Call": "Tillad afbrydelser i stemme i opkald",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "og",
"and {{COUNT}} more": "",
"and create a new shared link.": "og lav et nyt link til deling",
+ "Android": "",
"API Base URL": "API Base URL",
"API Key": "API nøgle",
"API Key created.": "API nøgle lavet",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API nøgle",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Forbigå SSL verifikation på websider",
"Calendar": "",
"Call": "Opkald",
"Call feature is not supported when using Web STT engine": "Opkaldsfunktion er ikke understøttet for Web STT engine",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Link til deling kopieret til udklipsholder",
"Copied to clipboard": "Kopieret til udklipsholder",
"Copy": "Kopier",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopier seneste kode",
"Copy last response": "Kopier senester svar",
"Copy Link": "Kopier link",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Beskrivelse",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Fulgte ikke instruktioner",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Rediger",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Indtast Github Raw URL",
"Enter Google PSE API Key": "Indtast Google PSE API-nøgle",
"Enter Google PSE Engine Id": "Indtast Google PSE Engine ID",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Indtast antal trin (f.eks. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Indtast sampler (f.eks. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Indtast stopsekvens",
"Enter system prompt": "Indtast systemprompt",
"Enter system prompt here": "",
"Enter Tavily API Key": "Indtast Tavily API-nøgle",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter er nu globalt aktiveret",
"Filters": "Filtre",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingeraftryksspoofing registreret: Kan ikke bruge initialer som avatar. Bruger standard profilbillede.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Stream store eksterne svar chunks flydende",
"Focus chat input": "Fokuser på chatinput",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybrid søgning",
"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.": "Jeg anerkender, at jeg har læst og forstået konsekvenserne af min handling. Jeg er opmærksom på de risici, der er forbundet med at udføre vilkårlig kode, og jeg har verificeret kildens troværdighed.",
"ID": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "Landing Page-tilstand",
"Language": "Sprog",
+ "Language Locales": "",
"Last Active": "Sidst aktiv",
"Last Modified": "Sidst ændret",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Beskeder, du sender efter at have oprettet dit link, deles ikke. Brugere med URL'en vil kunne se den delte chat.",
"Min P": "Min P",
- "Minimum Score": "Minimumscore",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pipelines-ventiler",
"Plain text (.txt)": "Almindelig tekst (.txt)",
"Playground": "Legeplads",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Gennemgå omhyggeligt følgende advarsler:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Udgivelsesnoter",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Fjern",
"Remove Model": "Fjern model",
"Rename": "Omdøb",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Tilmeld dig {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Logger ind på {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Kilde",
"Speech Playback Speed": "Talehastighed",
"Speech recognition error: {{error}}": "Talegenkendelsesfejl: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Tryk for at afbryde",
"Tasks": "",
"Tavily API Key": "Tavily API-nøgle",
+ "Tavily Extract Depth": "",
"Tell us more:": "Fortæl os mere:",
"Temperature": "Temperatur",
"Template": "Skabelon",
@@ -1179,6 +1203,7 @@
"variable": "variabel",
"variable to have them replaced with clipboard content.": "variabel for at få dem erstattet med indholdet af udklipsholderen.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} af {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Websøgning",
"Web Search Engine": "Websøgemaskine",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json
index 5d50b55db7..b4a0e0776f 100644
--- a/src/lib/i18n/locales/de-DE/translation.json
+++ b/src/lib/i18n/locales/de-DE/translation.json
@@ -57,13 +57,17 @@
"All": "Alle",
"All Documents": "Alle Dokumente",
"All models deleted successfully": "Alle Modelle erfolgreich gelöscht",
+ "Allow Call": "",
"Allow Chat Controls": "Chat-Steuerung erlauben",
"Allow Chat Delete": "Löschen von Chats erlauben",
"Allow Chat Deletion": "Löschen von Chats erlauben",
"Allow Chat Edit": "Bearbeiten von Chats erlauben",
"Allow File Upload": "Hochladen von Dateien erlauben",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Nicht-lokale Stimmen erlauben",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Temporäre Chats erlauben",
+ "Allow Text to Speech": "",
"Allow User Location": "Standort freigeben",
"Allow Voice Interruption in Call": "Unterbrechung durch Stimme im Anruf zulassen",
"Allowed Endpoints": "Erlaubte Endpunkte",
@@ -79,6 +83,7 @@
"and": "und",
"and {{COUNT}} more": "und {{COUNT}} mehr",
"and create a new shared link.": "und erstellen Sie einen neuen freigegebenen Link.",
+ "Android": "",
"API Base URL": "API-Basis-URL",
"API Key": "API-Schlüssel",
"API Key created.": "API-Schlüssel erstellt.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API-Schlüssel",
"By {{name}}": "Von {{name}}",
"Bypass Embedding and Retrieval": "Embedding und Retrieval umgehen",
- "Bypass SSL verification for Websites": "SSL-Überprüfung für Webseiten umgehen",
"Calendar": "Kalender",
"Call": "Anrufen",
"Call feature is not supported when using Web STT engine": "Die Anruffunktion wird nicht unterstützt, wenn die Web-STT-Engine verwendet wird.",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Freigabelink in die Zwischenablage kopiert!",
"Copied to clipboard": "In die Zwischenablage kopiert",
"Copy": "Kopieren",
+ "Copy Formatted Text": "",
"Copy last code block": "Letzten Codeblock kopieren",
"Copy last response": "Letzte Antwort kopieren",
"Copy Link": "Link kopieren",
@@ -303,6 +308,7 @@
"Deleted User": "Benutzer gelöscht",
"Describe your knowledge base and objectives": "Beschreibe deinen Wissensspeicher und deine Ziele",
"Description": "Beschreibung",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nicht genau den Answeisungen gefolgt",
"Direct": "Direkt",
"Direct Connections": "Direktverbindungen",
@@ -358,6 +364,7 @@
"e.g. my_filter": "z. B. mein_filter",
"e.g. my_tools": "z. B. meine_werkzeuge",
"e.g. Tools for performing various operations": "z. B. Werkzeuge für verschiedene Operationen",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Bearbeiten",
"Edit Arena Model": "Arena-Modell bearbeiten",
"Edit Channel": "Kanal bearbeiten",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "Geben Sie die Domains durch Kommas separiert ein (z.B. example.com,site.org)",
"Enter Exa API Key": "Geben Sie den Exa-API-Schlüssel ein",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Geben Sie die Github Raw-URL ein",
"Enter Google PSE API Key": "Geben Sie den Google PSE-API-Schlüssel ein",
"Enter Google PSE Engine Id": "Geben Sie die Google PSE-Engine-ID ein",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Geben Sie den Mojeek Search API-Schlüssel ein",
"Enter Number of Steps (e.g. 50)": "Geben Sie die Anzahl an Schritten ein (z. B. 50)",
"Enter Perplexity API Key": "Geben Sie den Perplexity API-Key ein",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Geben sie die Proxy-URL ein (z. B. https://user:password@host:port)",
"Enter reasoning effort": "Geben Sie den Schlussfolgerungsaufwand ein",
"Enter Sampler (e.g. Euler a)": "Geben Sie den Sampler ein (z. B. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Geben Sie den Server-Host ein",
"Enter server label": "Geben Sie das Server-Label ein",
"Enter server port": "Geben Sie den Server-Port ein",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Stop-Sequenz eingeben",
"Enter system prompt": "Systemprompt eingeben",
"Enter system prompt here": "",
"Enter Tavily API Key": "Geben Sie den Tavily-API-Schlüssel ein",
+ "Enter Tavily Extract Depth": "",
"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": "Geben Sie den Timeout in Sekunden ein",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter ist jetzt global aktiviert",
"Filters": "Filter",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingerabdruck-Spoofing erkannt: Initialen können nicht als Avatar verwendet werden. Standard-Avatar wird verwendet.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Nahtlose Übertragung großer externer Antwortabschnitte",
"Focus chat input": "Chat-Eingabe fokussieren",
"Folder deleted successfully": "Ordner erfolgreich gelöscht",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybride Suche",
"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.": "Ich bestätige, dass ich gelesen habe und die Auswirkungen meiner Aktion verstehe. Mir sind die Risiken bewusst, die mit der Ausführung beliebigen Codes verbunden sind, und ich habe die Vertrauenswürdigkeit der Quelle überprüft.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Neugier entfachen",
"Image": "Bild",
"Image Compression": "Bildkomprimierung",
@@ -649,6 +667,7 @@
"Label": "Label",
"Landing Page Mode": "Startseitenmodus",
"Language": "Sprache",
+ "Language Locales": "",
"Last Active": "Zuletzt aktiv",
"Last Modified": "Zuletzt bearbeitet",
"Last reply": "Letzte Antwort",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Antwortbewertung muss aktiviert sein, um diese Funktion zu verwenden",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Nachrichten, die Sie nach der Erstellung Ihres Links senden, werden nicht geteilt. Nutzer mit der URL können den freigegebenen Chat einsehen.",
"Min P": "Min P",
- "Minimum Score": "Mindestpunktzahl",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pipeline Valves",
"Plain text (.txt)": "Nur Text (.txt)",
"Playground": "Testumgebung",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Bitte überprüfen Sie die folgenden Warnungen sorgfältig:",
"Please do not close the settings page while loading the model.": "Bitte schließen die Einstellungen-Seite nicht, während das Modell lädt.",
"Please enter a prompt": "Bitte geben Sie einen Prompt ein",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Veröffentlichungshinweise",
"Relevance": "Relevanz",
+ "Relevance Threshold": "",
"Remove": "Entfernen",
"Remove Model": "Modell entfernen",
"Rename": "Umbenennen",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Bei {{WEBUI_NAME}} registrieren",
"Signing in to {{WEBUI_NAME}}": "Wird bei {{WEBUI_NAME}} angemeldet",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Quelle",
"Speech Playback Speed": "Sprachwiedergabegeschwindigkeit",
"Speech recognition error: {{error}}": "Spracherkennungsfehler: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Zum Unterbrechen tippen",
"Tasks": "Aufgaben",
"Tavily API Key": "Tavily-API-Schlüssel",
+ "Tavily Extract Depth": "",
"Tell us more:": "Erzähl uns mehr",
"Temperature": "Temperatur",
"Template": "Vorlage",
@@ -1179,6 +1203,7 @@
"variable": "Variable",
"variable to have them replaced with clipboard content.": "Variable, um den Inhalt der Zwischenablage beim Nutzen des Prompts zu ersetzen.",
"Verify Connection": "Verbindung verifizieren",
+ "Verify SSL Certificate": "",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} von {{totalVersions}}",
"View Replies": "Antworten anzeigen",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web-API",
+ "Web Loader Engine": "",
"Web Search": "Websuche",
"Web Search Engine": "Suchmaschine",
"Web Search in Chat": "Websuche im Chat",
diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json
index 9c0dca60db..a8d1ec0190 100644
--- a/src/lib/i18n/locales/dg-DG/translation.json
+++ b/src/lib/i18n/locales/dg-DG/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Allow Delete Chats",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "and",
"and {{COUNT}} more": "",
"and create a new shared link.": "",
+ "Android": "",
"API Base URL": "API Base URL",
"API Key": "API Key",
"API Key created.": "",
@@ -141,7 +146,6 @@
"Brave Search API Key": "",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "",
"Copied to clipboard": "",
"Copy": "",
+ "Copy Formatted Text": "",
"Copy last code block": "Copy last code block",
"Copy last response": "Copy last response",
"Copy Link": "",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Description",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "",
"Enter Google PSE API Key": "",
"Enter Google PSE Engine Id": "",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Enter Number of Steps (e.g. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Enter stop bark",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingerprint dogeing: Unable to use initials as avatar. Defaulting to default doge image.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Fluidly wow big chunks",
"Focus chat input": "Focus chat bork",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Doge Speak",
+ "Language Locales": "",
"Last Active": "",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "",
"Min P": "",
- "Minimum Score": "",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "Plain text (.txt)",
"Playground": "Playground",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Release Borks",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "",
"Remove Model": "",
"Rename": "",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Source",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Speech recognition error: {{error}} so error",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "",
"Temperature": "Temperature very temp",
"Template": "Template much template",
@@ -1179,6 +1203,7 @@
"variable": "variable very variable",
"variable to have them replaced with clipboard content.": "variable to have them replaced with clipboard content. Very replace.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Version much version",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web very web",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "",
"Web Search Engine": "",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json
index e1c78369fe..fde031da34 100644
--- a/src/lib/i18n/locales/el-GR/translation.json
+++ b/src/lib/i18n/locales/el-GR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Όλα τα Έγγραφα",
"All models deleted successfully": "Όλα τα μοντέλα διαγράφηκαν με επιτυχία",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Επιτρέπεται η διαγραφή συνομιλίας",
"Allow Chat Deletion": "Επιτρέπεται η Διαγραφή Συνομιλίας",
"Allow Chat Edit": "Επιτρέπεται η Επεξεργασία Συνομιλίας",
"Allow File Upload": "Επιτρέπεται η Αποστολή Αρχείων",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Επιτρέπονται μη τοπικές φωνές",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Επιτρέπεται η Προσωρινή Συνομιλία",
+ "Allow Text to Speech": "",
"Allow User Location": "Επιτρέπεται η Τοποθεσία Χρήστη",
"Allow Voice Interruption in Call": "Επιτρέπεται η Παύση Φωνής στην Κλήση",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "και",
"and {{COUNT}} more": "και {{COUNT}} ακόμα",
"and create a new shared link.": "και δημιουργήστε έναν νέο κοινόχρηστο σύνδεσμο.",
+ "Android": "",
"API Base URL": "API Βασικό URL",
"API Key": "Κλειδί API",
"API Key created.": "Το κλειδί API δημιουργήθηκε.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Κλειδί API Brave Search",
"By {{name}}": "Από {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Παράκαμψη επαλήθευσης SSL για Ιστότοπους",
"Calendar": "",
"Call": "Κλήση",
"Call feature is not supported when using Web STT engine": "Η λειτουργία κλήσης δεν υποστηρίζεται όταν χρησιμοποιείται η μηχανή Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Αντιγράφηκε το URL της κοινόχρηστης συνομιλίας στο πρόχειρο!",
"Copied to clipboard": "Αντιγράφηκε στο πρόχειρο",
"Copy": "Αντιγραφή",
+ "Copy Formatted Text": "",
"Copy last code block": "Αντιγραφή τελευταίου μπλοκ κώδικα",
"Copy last response": "Αντιγραφή τελευταίας απάντησης",
"Copy Link": "Αντιγραφή Συνδέσμου",
@@ -303,6 +308,7 @@
"Deleted User": "Διαγράφηκε ο Χρήστης",
"Describe your knowledge base and objectives": "Περιγράψτε τη βάση γνώσης και τους στόχους σας",
"Description": "Περιγραφή",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Δεν ακολούθησε πλήρως τις οδηγίες",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "π.χ. my_filter",
"e.g. my_tools": "π.χ. my_tools",
"e.g. Tools for performing various operations": "π.χ. Εργαλεία για την εκτέλεση διάφορων λειτουργιών",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Επεξεργασία",
"Edit Arena Model": "Επεξεργασία Μοντέλου Arena",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Εισάγετε το Github Raw URL",
"Enter Google PSE API Key": "Εισάγετε το Κλειδί API Google PSE",
"Enter Google PSE Engine Id": "Εισάγετε το Αναγνωριστικό Μηχανής Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Εισάγετε το Κλειδί API Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Εισάγετε τον Αριθμό Βημάτων (π.χ. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Εισάγετε τον Sampler (π.χ. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Εισάγετε τον διακομιστή host",
"Enter server label": "Εισάγετε την ετικέτα διακομιστή",
"Enter server port": "Εισάγετε την θύρα διακομιστή",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Εισάγετε τη σειρά παύσης",
"Enter system prompt": "Εισάγετε την προτροπή συστήματος",
"Enter system prompt here": "",
"Enter Tavily API Key": "Εισάγετε το Κλειδί API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Το φίλτρο είναι τώρα καθολικά ενεργοποιημένο",
"Filters": "Φίλτρα",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Εντοπίστηκε spoofing δακτυλικού αποτυπώματος: Αδυναμία χρήσης αρχικών ως avatar. Χρήση της προεπιλεγμένης εικόνας προφίλ.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Ροή μεγάλων εξωτερικών τμημάτων απάντησης ομαλά",
"Focus chat input": "Εστίαση στο πεδίο συνομιλίας",
"Folder deleted successfully": "Ο φάκελος διαγράφηκε με επιτυχία",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Ξύπνημα της περιέργειας",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "Ετικέτα",
"Landing Page Mode": "Λειτουργία Σελίδας Άφιξης",
"Language": "Γλώσσα",
+ "Language Locales": "",
"Last Active": "Τελευταία Ενεργή",
"Last Modified": "Τελευταία Τροποποίηση",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "Min P",
- "Minimum Score": "Ελάχιστο Score",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Βαλβίδες Συναρτήσεων",
"Plain text (.txt)": "Απλό κείμενο (.txt)",
"Playground": "Γήπεδο παιχνιδιών",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Παρακαλώ αναθεωρήστε προσεκτικά τις ακόλουθες προειδοποιήσεις:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Παρακαλώ εισάγετε μια προτροπή",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Σημειώσεις Έκδοσης",
"Relevance": "Σχετικότητα",
+ "Relevance Threshold": "",
"Remove": "Αφαίρεση",
"Remove Model": "Αφαίρεση Μοντέλου",
"Rename": "Μετονομασία",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Εγγραφή στο {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Σύνδεση στο {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Πηγή",
"Speech Playback Speed": "Ταχύτητα Αναπαραγωγής Ομιλίας",
"Speech recognition error: {{error}}": "Σφάλμα αναγνώρισης ομιλίας: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Πατήστε για παύση",
"Tasks": "",
"Tavily API Key": "Κλειδί API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Πείτε μας περισσότερα:",
"Temperature": "Temperature",
"Template": "Πρότυπο",
@@ -1179,6 +1203,7 @@
"variable": "μεταβλητή",
"variable to have them replaced with clipboard content.": "μεταβλητή να αντικατασταθούν με το περιεχόμενο του πρόχειρου.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Έκδοση",
"Version {{selectedVersion}} of {{totalVersions}}": "Έκδοση {{selectedVersion}} από {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Διαδίκτυο",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Αναζήτηση στο Διαδίκτυο",
"Web Search Engine": "Μηχανή Αναζήτησης στο Διαδίκτυο",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json
index 827e09ca2e..ef83bdf422 100644
--- a/src/lib/i18n/locales/en-GB/translation.json
+++ b/src/lib/i18n/locales/en-GB/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "",
"and {{COUNT}} more": "",
"and create a new shared link.": "",
+ "Android": "",
"API Base URL": "",
"API Key": "",
"API Key created.": "",
@@ -141,7 +146,6 @@
"Brave Search API Key": "",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "",
"Copied to clipboard": "",
"Copy": "",
+ "Copy Formatted Text": "",
"Copy last code block": "",
"Copy last response": "",
"Copy Link": "",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "",
"Enter Google PSE API Key": "",
"Enter Google PSE Engine Id": "",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "",
"Focus chat input": "",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "",
+ "Language Locales": "",
"Last Active": "",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "",
"Min P": "",
- "Minimum Score": "",
"Mirostat": "",
"Mirostat Eta": "",
"Mirostat Tau": "",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "",
"Playground": "",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "",
"Remove Model": "",
"Rename": "",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "",
"Temperature": "",
"Template": "",
@@ -1179,6 +1203,7 @@
"variable": "",
"variable to have them replaced with clipboard content.": "",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "",
"Web Search Engine": "",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json
index eb90f905a7..ef83bdf422 100644
--- a/src/lib/i18n/locales/en-US/translation.json
+++ b/src/lib/i18n/locales/en-US/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "",
"and {{COUNT}} more": "",
"and create a new shared link.": "",
+ "Android": "",
"API Base URL": "",
"API Key": "",
"API Key created.": "",
@@ -141,7 +146,6 @@
"Brave Search API Key": "",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "",
"Copied to clipboard": "",
"Copy": "",
+ "Copy Formatted Text": "",
"Copy last code block": "",
"Copy last response": "",
"Copy Link": "",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "",
"Enter Google PSE API Key": "",
"Enter Google PSE Engine Id": "",
@@ -424,8 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "",
"Enter Perplexity API Key": "",
- "Enter Sougou Search API sID": "",
- "Enter Sougou Search API SK": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -443,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -527,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "",
"Focus chat input": "",
"Folder deleted successfully": "",
@@ -591,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -651,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "",
+ "Language Locales": "",
"Last Active": "",
"Last Modified": "",
"Last reply": "",
@@ -704,7 +721,6 @@
"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.": "",
"Min P": "",
- "Minimum Score": "",
"Mirostat": "",
"Mirostat Eta": "",
"Mirostat Tau": "",
@@ -824,8 +840,6 @@
"Permission denied when accessing microphone: {{error}}": "",
"Permissions": "",
"Perplexity API Key": "",
- "Sougou Search API sID": "",
- "Sougou Search API SK": "",
"Personalization": "",
"Pin": "",
"Pinned": "",
@@ -837,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "",
"Playground": "",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -886,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "",
"Remove Model": "",
"Rename": "",
@@ -1015,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "",
@@ -1042,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "",
"Temperature": "",
"Template": "",
@@ -1183,6 +1203,7 @@
"variable": "",
"variable to have them replaced with clipboard content.": "",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1197,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "",
"Web Search Engine": "",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json
index 6421cc34d6..3e31790310 100644
--- a/src/lib/i18n/locales/es-ES/translation.json
+++ b/src/lib/i18n/locales/es-ES/translation.json
@@ -14,19 +14,19 @@
"*Prompt node ID(s) are required for image generation": "Los ID de nodo son requeridos para la generación de imágenes",
"A new version (v{{LATEST_VERSION}}) is now available.": "Nueva versión (v{{LATEST_VERSION}}) disponible.",
"A task model is used when performing tasks such as generating titles for chats and web search queries": "El modelo de tareas realiza tareas como la generación de títulos para chats y consultas de búsqueda web",
- "a user": "un usuario",
+ "a user": "un/a usuari@",
"About": "Acerca de",
- "Accept autocomplete generation / Jump to prompt variable": "Aceptar generación de autocompletado / Saltar a la variable de Indicadión (prompt)",
+ "Accept autocomplete generation / Jump to prompt variable": "Aceptar generación de autocompletado / Saltar a indicador variable",
"Access": "Acceso",
"Access Control": "Control de Acceso",
- "Accessible to all users": "Accesible para todos los usuarios",
+ "Accessible to all users": "Accesible para todos l@s usuari@s",
"Account": "Cuenta",
"Account Activation Pending": "Activación de cuenta Pendiente",
"Accurate information": "Información precisa",
"Actions": "Acciones",
"Activate": "Activar",
"Activate this command by typing \"/{{COMMAND}}\" to chat input.": "Activar este comando escribiendo \"/{{COMMAND}}\" en el chat",
- "Active Users": "Usuarios activos",
+ "Active Users": "Usuari@s activos",
"Add": "Añadir",
"Add a model ID": "Añadir un ID de modelo",
"Add a short description about what this model does": "Añadir una breve descripción sobre lo que hace este modelo",
@@ -35,7 +35,7 @@
"Add Connection": "Añadir Conexión",
"Add Content": "Añadir Contenido",
"Add content here": "Añadir contenido aquí",
- "Add custom prompt": "Añadir un indicador(prompt) personalizado",
+ "Add custom prompt": "Añadir un indicador personalizado",
"Add Files": "Añadir Ficheros",
"Add Group": "Añadir Grupo",
"Add Memory": "Añadir Memoria",
@@ -44,27 +44,31 @@
"Add Tag": "Añadir etiqueta",
"Add Tags": "Añadir etiquetas",
"Add text content": "Añade contenido de texto",
- "Add User": "Añadir Usuario",
- "Add User Group": "Añadir Grupo de Usuario",
- "Adjusting these settings will apply changes universally to all users.": "El ajuste de estas opciones se aplicará globalmente a todos los usuarios.",
+ "Add User": "Añadir Usuari@",
+ "Add User Group": "Añadir Grupo de Usuari@",
+ "Adjusting these settings will apply changes universally to all users.": "El ajuste de estas opciones se aplicará globalmente a todos l@s usuari@s.",
"admin": "admin",
"Admin": "Admin",
- "Admin Panel": "Panel de Admin",
+ "Admin Panel": "Administración",
"Admin Settings": "Ajustes de Admin",
- "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Los Admins tienen acceso a todas las herramientas en todo momento; los usuarios necesitan, en el área de trabajo, que los modelos tengan asignadas las herramentas.",
+ "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Los Admins tienen acceso a todas las herramientas en todo momento; l@s usuari@s necesitan, en el área de trabajo, que los modelos tengan asignadas las herramentas.",
"Advanced Parameters": "Parámetros Avanzados",
"Advanced Params": "Param. Avanz.",
"All": "Todos",
"All Documents": "Todos los Documentos",
"All models deleted successfully": "Todos los modelos borrados correctamnete",
+ "Allow Call": "",
"Allow Chat Controls": "Permitir Controles del Chat",
"Allow Chat Delete": "Permitir Borrar Chat",
"Allow Chat Deletion": "Permitir Borrado de Chat",
"Allow Chat Edit": "Pemritir Editar Chat",
"Allow File Upload": "Permitir Subida de Ficheros",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permitir voces no locales",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Permitir Chat Temporal",
- "Allow User Location": "Permitir Ubicación del Usuario",
+ "Allow Text to Speech": "",
+ "Allow User Location": "Permitir Ubicación de Usuari@",
"Allow Voice Interruption in Call": "Permitir Interrupción de Voz en Llamada",
"Allowed Endpoints": "Endpoints Permitidos",
"Already have an account?": "¿Ya tienes una cuenta?",
@@ -79,14 +83,15 @@
"and": "y",
"and {{COUNT}} more": "y {{COUNT}} más",
"and create a new shared link.": "y crear un nuevo enlace compartido.",
+ "Android": "",
"API Base URL": "URL Base API",
"API Key": "Clave API ",
"API Key created.": "Clave API creada.",
- "API Key Endpoint Restrictions": "Clave API Restricciones de Endpoint",
+ "API Key Endpoint Restrictions": "Clave API para Endpoints Restringidos",
"API keys": "Claves API",
"Application DN": "Aplicacion DN",
"Application DN Password": "Contraseña Aplicacion DN",
- "applies to all users with the \"user\" role": "se aplica a todos los usuarios con el rol \"user\" ",
+ "applies to all users with the \"user\" role": "se aplica a todos l@s usuari@s con el rol \"user\" ",
"April": "Abril",
"Archive": "Archivar",
"Archive All Chats": "Archivar Todos los Chats",
@@ -105,15 +110,15 @@
"Attach file from knowledge": "Adjuntar fichero desde el conocimiento",
"Attention to detail": "Atención al detalle",
"Attribute for Mail": "Atributo para Correo",
- "Attribute for Username": "Atributo para Nombre de Usuario",
+ "Attribute for Username": "Atributo para Nombre de Usuari@",
"Audio": "Audio",
"August": "Agosto",
- "Auth": "",
+ "Auth": "Autorización",
"Authenticate": "Autentificar",
"Authentication": "Autentificación",
- "Auto": "",
- "Auto-Copy Response to Clipboard": "Auto-Copiar respuesta al Portapapeles",
- "Auto-playback response": "Auto-Reproducir Respuesta",
+ "Auto": "Auto",
+ "Auto-Copy Response to Clipboard": "AutoCopiado de respuesta al Portapapeles",
+ "Auto-playback response": "AutoReproducir Respuesta",
"Autocomplete Generation": "Generación de Autocompletado",
"Autocomplete Generation Input Max Length": "Max. Longitud de Entrada en Generación de Autocompletado",
"Automatic1111": "AUTOMATIC1111",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Clave API de Brave Search",
"By {{name}}": "Por {{name}}",
"Bypass Embedding and Retrieval": "Evitar Incrustración y Recuperación",
- "Bypass SSL verification for Websites": "Evitar Verificación SSL para sitios web",
"Calendar": "Calendario",
"Call": "Llamada",
"Call feature is not supported when using Web STT engine": "La característica Llamada no está soportada cuando se usa el motor Web STT",
@@ -158,19 +162,19 @@
"Chart new frontiers": "Trazar nuevas fronteras",
"Chat": "Chat",
"Chat Background Image": "Imágen de Fondo del Chat",
- "Chat Bubble UI": "Interface Burbuja de Chat",
+ "Chat Bubble UI": "Interface del Chat tipo Burbuja",
"Chat Controls": "Controles del chat",
"Chat direction": "Dirección del Chat",
"Chat Overview": "Vista General del Chat",
"Chat Permissions": "Permisos del Chat",
- "Chat Tags Auto-Generation": "Auto-Generación de Etiquetas de Chat",
+ "Chat Tags Auto-Generation": "AutoGeneración de Etiquetas de Chat",
"Chats": "Chats",
"Check Again": "Verifica de nuevo",
"Check for updates": "Buscar actualizaciones",
"Checking for updates...": "Buscando actualizaciones...",
"Choose a model before saving...": "Escoge un modelo antes de guardar...",
"Chunk Overlap": "Superposición de Fragmentos",
- "Chunk Size": "Tamaño de Fragmentos",
+ "Chunk Size": "Tamaño de los Fragmentos",
"Ciphers": "Cifrado",
"Citation": "Cita",
"Clear memory": "Liberar memoria",
@@ -179,7 +183,7 @@
"Click here for filter guides.": "Pulsar aquí para guías de filtros",
"Click here for help.": "Pulsar aquí para Ayuda.",
"Click here to": "Pulsa aquí para",
- "Click here to download user import template file.": "Pulsa aquí para descargar la plantilla de importación del usuario.",
+ "Click here to download user import template file.": "Pulsa aquí para descargar la plantilla de importación de usuari@.",
"Click here to learn more about faster-whisper and see the available models.": "Pulsa aquí para saber más sobre faster-whisper y ver modelos disponibles.",
"Click here to see available models.": "Pulsa aquí para ver modelos disponibles.",
"Click here to select": "Pulsa aquí para seleccionar",
@@ -187,7 +191,7 @@
"Click here to select a py file.": "Pulsa aquí para seleccionar un fichero Python (.py)",
"Click here to upload a workflow.json file.": "Pulsa aquí para subir un fichero workflow.json",
"click here.": "Pulsa aquí.",
- "Click on the user role button to change a user's role.": "Pulsa en el botón rol del usuario para cambiar su rol.",
+ "Click on the user role button to change a user's role.": "Pulsa en el botón rol de usuari@ para cambiar su rol.",
"Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "Permisos de escritura del portapapeles denegado. Por favor, comprueba la configuración de tu navegador para otorgar el permiso necesario.",
"Clone": "Clonar",
"Clone Chat": "Clonar Chat",
@@ -199,20 +203,20 @@
"Code Execution Timeout": "Tiempo",
"Code formatted successfully": "Se ha formateado correctamente el código.",
"Code Interpreter": "Interprete de Código",
- "Code Interpreter Engine": "Motor Interpretador de Código",
- "Code Interpreter Prompt Template": "Plantilla de Prompt del Interpretador de Código",
+ "Code Interpreter Engine": "Motor del Interprete de Código",
+ "Code Interpreter Prompt Template": "Plantilla del Indicador del Interprete de Código",
"Collapse": "Plegar",
"Collection": "Colección",
"Color": "Color",
"ComfyUI": "ComfyUI",
- "ComfyUI API Key": "ComfyUI Clave API",
- "ComfyUI Base URL": "ComfyUI URL Base",
- "ComfyUI Base URL is required.": "ComfyUI URL Base es necesaria.",
- "ComfyUI Workflow": "ComfyUI Flujo de Trabajo",
- "ComfyUI Workflow Nodes": "Comfy Nodos del Flujo de Trabajo",
+ "ComfyUI API Key": "Clave API de ComfyUI",
+ "ComfyUI Base URL": "URL Base de ComfyUI",
+ "ComfyUI Base URL is required.": "La URL Base de ComfyUI es necesaria.",
+ "ComfyUI Workflow": "Flujo de Trabajo de ComfyUI",
+ "ComfyUI Workflow Nodes": "Nodos del Flujo de Trabajo de ComfyUI",
"Command": "Comando",
"Completions": "Cumplimientos",
- "Concurrent Requests": "Solicitudes Concurrentes",
+ "Concurrent Requests": "Número de Solicitudes Concurrentes",
"Configure": "Configurar",
"Confirm": "Confirmar",
"Confirm Password": "Confirma Contraseña",
@@ -220,10 +224,10 @@
"Confirm your new password": "Confirma tu nueva contraseña",
"Connect to your own OpenAI compatible API endpoints.": "Conectar a tus propios endpoints compatibles API OpenAI.",
"Connect to your own OpenAPI compatible external tool servers.": "Conectar a tus propios endpoints externos de herramientas compatibles API OpenAI.",
- "Connection failed": "",
- "Connection successful": "",
+ "Connection failed": "Conexión fallida",
+ "Connection successful": "Conexión realizada",
"Connections": "Conexiones",
- "Connections saved successfully": "",
+ "Connections saved successfully": "Conexiones grabadas correctamente",
"Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort.": "Limita el esfuerzo de razonamiento para los modelos de razonamiento. Solo aplicable a modelos de razonamiento de proveedores específicos que soportan el esfuerzo de razonamiento.",
"Contact Admin for WebUI Access": "Contacta con Admin para obtener acceso a WebUI",
"Content": "Contenido",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "¡Copiada al portapapeles la URL del chat compartido!",
"Copied to clipboard": "Copiado al portapapeles",
"Copy": "Copiar",
+ "Copy Formatted Text": "",
"Copy last code block": "Copia el último bloque de código",
"Copy last response": "Copia la última respuesta",
"Copy Link": "Copiar enlace",
@@ -261,7 +266,7 @@
"Created At": "Creado En",
"Created by": "Creado por",
"CSV Import": "Importar CSV",
- "Ctrl+Enter to Send": "Ctrl+Enter para Enviar",
+ "Ctrl+Enter to Send": "'Ctrl+Enter' para Enviar",
"Current Model": "Modelo Actual",
"Current Password": "Contraseña Actual",
"Custom": "Personalizado",
@@ -278,11 +283,11 @@
"Default Models": "Modelos Predeterminados",
"Default permissions": "Permisos Predeterminados",
"Default permissions updated successfully": "Permisos predeterminados actualizados correctamente",
- "Default Prompt Suggestions": "Sugerencias de Indicador(prompt) Predetermonadas",
+ "Default Prompt Suggestions": "Sugerencias Predeterminadas de Indicador",
"Default to 389 or 636 if TLS is enabled": "Predeterminado a 389, o 636 si TLS está habilitado",
"Default to ALL": "Predeterminado a TODOS",
- "Default to segmented retrieval for focused and relevant content extraction, this is recommended for most cases.": "Predeterminada una segmentación de la recuperación para una extracción de contenido centrado y relevante, recomendado para la mayoría de los casos.",
- "Default User Role": "Rol Predeterminado Usuarios",
+ "Default to segmented retrieval for focused and relevant content extraction, this is recommended for most cases.": "Por defecto está predeterminada una segmentación de la recuperación para una extracción de contenido centrado y relevante, recomendado para la mayoría de los casos.",
+ "Default User Role": "Rol Predeterminado de l@s Usuari@s Nuev@s",
"Delete": "Borrar",
"Delete a model": "Borrar un modelo",
"Delete All Chats": "Borrar todos los chats",
@@ -294,36 +299,37 @@
"Delete function?": "Borrar la función?",
"Delete Message": "Borrar mensaje",
"Delete message?": "¿Borrar mensaje?",
- "Delete prompt?": "¿Borrar el indicador(prompt)?",
+ "Delete prompt?": "¿Borrar el indicador?",
"delete this link": "Borrar este enlace",
"Delete tool?": "¿Borrar la herramienta?",
- "Delete User": "Borrar Usuario",
+ "Delete User": "Borrar Usuari@",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} Borrado",
"Deleted {{name}}": "{{nombre}} Borrado",
- "Deleted User": "Usuario Borrado",
+ "Deleted User": "Usuari@ Borrado",
"Describe your knowledge base and objectives": "Describe tu Base de Conocimientos y sus objetivos",
"Description": "Descripción",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "No seguiste completamente las instrucciones",
"Direct": "Directo",
"Direct Connections": "Conexiones Directas",
- "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Las Conexiones Directas permiten a los usuarios conectar a sus propios endpoints compatibles API OpenAI.",
+ "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Las Conexiones Directas permiten a l@s usuari@s conectar a sus propios endpoints compatibles API OpenAI.",
"Direct Connections settings updated": "Se actualizaron las configuraciones de las Conexiones Directas",
- "Direct Tool Servers": "",
+ "Direct Tool Servers": "Servidores de Herramientas Directos",
"Disabled": "Deshabilitado",
- "Discover a function": "Descubre una Función",
- "Discover a model": "Descubre un Modelo",
- "Discover a prompt": "Descubre un Indicador(prompt)",
- "Discover a tool": "Descubre una Herramienta",
+ "Discover a function": "Descubrir Funciónes",
+ "Discover a model": "Descubrir Modelos",
+ "Discover a prompt": "Descubrir Indicadores",
+ "Discover a tool": "Descubrir Herramientas",
"Discover how to use Open WebUI and seek support from the community.": "Descubre cómo usar Open WebUI y busca Soporte Comunitario.",
"Discover wonders": "Descubre Maravillas",
"Discover, download, and explore custom functions": "Descubre, descarga y explora funciones personalizadas",
- "Discover, download, and explore custom prompts": "Descubre, descarga, y explora indicadores(prompts) personalizados",
+ "Discover, download, and explore custom prompts": "Descubre, descarga, y explora indicadores personalizados",
"Discover, download, and explore custom tools": "Descubre, descarga y explora herramientas personalizadas",
"Discover, download, and explore model presets": "Descubre, descarga y explora modelos con preajustados",
"Dismissible": "Desestimable",
"Display": "Mostrar",
"Display Emoji in Call": "Muestra chirimbolitos(Emojis) en Llamada",
- "Display the username instead of You in the Chat": "Mostrar en el chat el nombre de usuario en lugar del genérico Tu/Usted",
+ "Display the username instead of You in the Chat": "Mostrar en el chat el nombre de usuari@ en lugar del genérico Tu/Usted",
"Displays citations in the response": "Mostrar citas en la respuesta",
"Dive into knowledge": "Sumérgete en el conocimiento",
"Do not install functions from sources you do not fully trust.": "¡No instalar funciones de fuentes en las que que no se confíe totalmente!",
@@ -358,32 +364,33 @@
"e.g. my_filter": "p.ej. mi_filtro",
"e.g. my_tools": "p.ej. mis_herramientas",
"e.g. Tools for performing various operations": "p.ej. Herramientas para realizar varias operaciones",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editar",
"Edit Arena Model": "Editar Modelo en Arena",
"Edit Channel": "Editar Canal",
"Edit Connection": "Editar Conexión",
"Edit Default Permissions": "Editar Permisos Predeterminados",
"Edit Memory": "Editar Memoria",
- "Edit User": "Editar Usuario",
- "Edit User Group": "Editar Grupo de Usuario",
+ "Edit User": "Editar Usuari@",
+ "Edit User Group": "Editar Grupo de Usuari@",
"ElevenLabs": "ElevenLabs",
"Email": "Email",
"Embark on adventures": "Embarcate en aventuras",
- "Embedding": "Incrustado",
- "Embedding Batch Size": "Tamaño Lote Incrustación",
- "Embedding Model": "Modelo de Incruswtación",
+ "Embedding": "Incrustación",
+ "Embedding Batch Size": "Tamaño del Lote de Incrustación",
+ "Embedding Model": "Modelo de Incrustación",
"Embedding Model Engine": "Motor del Modelo de Incrustación",
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Incrustación configurado a \"{{embedding_model}}\"",
- "Enable API Key": "Habilitar clave API",
+ "Enable API Key": "Habilitar Clave API",
"Enable autocomplete generation for chat messages": "Habilitar generación de autocompletado para mensajes de chat",
"Enable Code Execution": "Habilitar Ejecución de Código",
"Enable Code Interpreter": "Habilitar Interprete de Código",
"Enable Community Sharing": "Habilitar Compartir con la Comunidad",
"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.": "Habilitar bloqueo de memoria (mlock) para prevenir que los datos del modelo se intercambien fuera de la RAM. Esta opción bloquea el conjunto de páginas de trabajo del modelo en RAM, asegurando que no se intercambiarán fuera a disco. Esto puede ayudar a mantener el rendimiento evitando fallos de página y asegurando un acceso rápido a los datos.",
"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.": "Habilitar Mapeado de Memoria (mmap) para cargar datos del modelo. Esta opción permite al sistema usar el almacenamiento del disco como una extensión de la RAM al tratar los archivos en disco como si estuvieran en la RAM. Esto puede mejorar el rendimiento del modelo al permitir un acceso más rápido a los datos. Sin embargo, puede no funcionar correctamente con todos los sistemas y puede consumir una cantidad significativa de espacio en disco.",
- "Enable Message Rating": "Habilitar la calificación de los Mensajes",
- "Enable Mirostat sampling for controlling perplexity.": "Habilitar muestreo Mirostat para controlar la perplejidad.",
- "Enable New Sign Ups": "Habilitar Registros de Nuevos Usuarios",
+ "Enable Message Rating": "Habilitar Calificación de los Mensajes",
+ "Enable Mirostat sampling for controlling perplexity.": "Algoritmo de decodificación de texto neuronal que controla activamente el proceso generativo para mantener la perplejidad del texto generado en un valor deseado. Previene las trampas de aburrimiento (por excesivas repeticiones) y de incoherencia (por generación de excesivo texto).",
+ "Enable New Sign Ups": "Habilitar Registros de Nuev@s Usuari@s",
"Enabled": "Habilitado",
"Enforce Temporary Chat": "",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Asegúrese de que su archivo CSV incluya 4 columnas en este orden: Nombre, Correo Electrónico, Contraseña, Rol.",
@@ -398,7 +405,7 @@
"Enter Brave Search API Key": "Ingresar la Clave API de Brave Search",
"Enter certificate path": "Ingresar la ruta del certificado",
"Enter CFG Scale (e.g. 7.0)": "Ingresa escala CFG (p.ej., 7.0)",
- "Enter Chunk Overlap": "Ingresar Superposición de Fragmentos",
+ "Enter Chunk Overlap": "Ingresar Superposición de los Fragmentos",
"Enter Chunk Size": "Ingresar el Tamaño del Fragmento",
"Enter comma-seperated \"token:bias_value\" pairs (example: 5432:100, 413:-100)": "Ingresar pares \"token:valor_sesgo\" separados por comas (ejemplo: 5432:100, 413:-100)",
"Enter description": "Ingresar Descripción",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Ingresar Clave de Azure Document Intelligence",
"Enter domains separated by commas (e.g., example.com,site.org)": "Ingresar dominios separados por comas (p.ej., ejemplo.com,sitio.org)",
"Enter Exa API Key": "Ingresar Clave API de Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Ingresar URL Github en Bruto(raw)",
"Enter Google PSE API Key": "Ingresar Clave API de Google PSE",
"Enter Google PSE Engine Id": "Ingresa ID del Motor PSE de Google",
@@ -416,14 +425,16 @@
"Enter Jupyter Token": "Ingresar Token de Jupyter",
"Enter Jupyter URL": "Ingresar URL de Jupyter",
"Enter Kagi Search API Key": "Ingresar Clave API de Kagi Search",
- "Enter Key Behavior": "Ingresar Clave de Comportamiento",
+ "Enter Key Behavior": "Comportamiento de la Tecla de Envío",
"Enter language codes": "Ingresar Códigos de Idioma",
- "Enter Mistral API Key": "",
+ "Enter Mistral API Key": "Ingresar Clave API de Mistral",
"Enter Model ID": "Ingresar ID del Modelo",
"Enter model tag (e.g. {{modelTag}})": "Ingresar la etiqueta del modelo (p.ej. {{modelTag}})",
"Enter Mojeek Search API Key": "Ingresar Clave API de Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Ingresar Número de Pasos (p.ej., 50)",
"Enter Perplexity API Key": "Ingresar Clave API de Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Ingresar URL del proxy (p.ej. https://user:password@host:port)",
"Enter reasoning effort": "Ingresar esfuerzo de razonamiento",
"Enter Sampler (e.g. Euler a)": "Ingresar Muestreador (p.ej., Euler a)",
@@ -441,14 +452,17 @@
"Enter server host": "Ingresar host del servidor",
"Enter server label": "Ingresar etiqueta del servidor",
"Enter server port": "Ingresar puerto del servidor",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Ingresar secuencia de parada",
- "Enter system prompt": "Ingresar Indicador(prompt) del sistema",
- "Enter system prompt here": "",
+ "Enter system prompt": "Ingresar Indicador del sistema",
+ "Enter system prompt here": "Ingresa aquí el indicador del sistema",
"Enter Tavily API Key": "Ingresar Clave API de Tavily",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Ingresar URL pública de su WebUI. Esta URL se usará para generar enlaces en las notificaciones.",
"Enter Tika Server URL": "Ingresar URL del servidor Tika",
"Enter timeout in seconds": "Ingresar timeout en segundos",
- "Enter to Send": "Ingresar Enviar a",
+ "Enter to Send": "'Enter' para Enviar",
"Enter Top K": "Ingresar Top K",
"Enter Top K Reranker": "Ingresar Top K Reclasificador",
"Enter URL (e.g. http://127.0.0.1:7860/)": "Ingresar URL (p.ej., http://127.0.0.1:7860/)",
@@ -457,12 +471,12 @@
"Enter Your Email": "Ingresa tu correo electrónico",
"Enter Your Full Name": "Ingresa su nombre completo",
"Enter your message": "Ingresa tu mensaje",
- "Enter your name": "",
+ "Enter your name": "Ingresa tu nombre",
"Enter your new password": "Ingresa tu contraseña nueva",
"Enter Your Password": "Ingresa tu contraseña",
"Enter Your Role": "Ingresa tu rol",
- "Enter Your Username": "Ingresa tu nombre de usuario",
- "Enter your webhook URL": "Ingresa tu URL de EngancheWeb(webhook)",
+ "Enter Your Username": "Ingresa tu nombre de usuari@",
+ "Enter your webhook URL": "Ingresa tu URL de enganchesWeb(webhook)",
"Error": "Error",
"ERROR": "ERROR",
"Error accessing Google Drive: {{error}}": "Error accediendo a Google Drive: {{error}}",
@@ -485,14 +499,14 @@
"Explore the cosmos": "Explora el cosmos",
"Export": "Exportar",
"Export All Archived Chats": "Exportar Todos los Chats Archivados",
- "Export All Chats (All Users)": "Exportar Todos los Chats (Todos los Usuarios)",
+ "Export All Chats (All Users)": "Exportar Todos los Chats (Todos l@s Usuari@s)",
"Export chat (.json)": "Exportar chat (.json)",
"Export Chats": "Exportar Chats",
"Export Config to JSON File": "Exportar Configuración a archivo JSON",
"Export Functions": "Exportar Funciones",
"Export Models": "Exportar Modelos",
"Export Presets": "Exportar Preajustes",
- "Export Prompts": "Exportar Indicadores(prompts)",
+ "Export Prompts": "Exportar Indicadores",
"Export to CSV": "Exportar a CSV",
"Export Tools": "Exportar Herramientas",
"External": "Externo",
@@ -502,7 +516,7 @@
"Failed to create API Key.": "Fallo al crear la Clave API.",
"Failed to fetch models": "Fallo al obtener los modelos",
"Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles",
- "Failed to save connections": "",
+ "Failed to save connections": "Fallo al grabar las conexiones",
"Failed to save models configuration": "Fallo al guardar la configuración de los modelos",
"Failed to update settings": "Fallo al actualizar los ajustes",
"Failed to upload file.": "Fallo al subir el archivo.",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "El filtro ahora está habilitado globalmente",
"Filters": "Filtros",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Se detectó suplantación de huellas: No se pueden usar las iniciales como avatar. Se establece la imagen de perfil predeterminada.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Transmisión fluida de fragmentos de grandes respuestas externas",
"Focus chat input": "Enfoque entrada del chat",
"Folder deleted successfully": "Carpeta bollada correctamente",
@@ -535,13 +551,13 @@
"Forge new paths": "Forjar nuevos caminos",
"Form": "Formulario",
"Format your variables using brackets like this:": "Formatea tus variables usando corchetes así:",
- "Forwards system user session credentials to authenticate": "",
+ "Forwards system user session credentials to authenticate": "Reenvío de las credenciales de la sesión del usuario del sistema para autenticación",
"Frequency Penalty": "Penalización de Frecuencia",
"Full Context Mode": "Modo Contexto Completo",
"Function": "Función",
- "Function Calling": "Llamada de Función",
- "Function created successfully": "Función creada exitosamente",
- "Function deleted successfully": "Función borrada exitosamente",
+ "Function Calling": "Modo de Llamada a Funciones (Herramientas)",
+ "Function created successfully": "Función creada correctamente",
+ "Function deleted successfully": "Función borrada correctamente",
"Function Description": "Descripción de la Función",
"Function ID": "ID de la Función",
"Function is now globally disabled": "La Función ahora está deshabilitada globalmente",
@@ -558,7 +574,7 @@
"General": "General",
"Generate an image": "Generar una imagen",
"Generate Image": "Generar imagen",
- "Generate prompt pair": "Generar par de indicadores(prompt)",
+ "Generate prompt pair": "Generar par de indicadores",
"Generating search query": "Generando consulta de búsqueda",
"Get started": "Empezar",
"Get started with {{WEBUI_NAME}}": "Empezar con {{WEBUI_NAME}}",
@@ -573,7 +589,7 @@
"Group Name": "Nombre del Grupo",
"Group updated successfully": "Grupo actualizado correctamente",
"Groups": "Grupos",
- "Haptic Feedback": "Realimentación háptica",
+ "Haptic Feedback": "Realimentación Háptica",
"has no conversations.": "no tiene conversaciones.",
"Hello, {{name}}": "Hola, {{name}}",
"Help": "Ayuda",
@@ -581,7 +597,7 @@
"Hex Color": "Color Hex",
"Hex Color - Leave empty for default color": "Color Hex - Deja vacío para el color predeterminado",
"Hide": "Esconder",
- "Hide Model": "",
+ "Hide Model": "Ocultar Modelo",
"Home": "Inicio",
"Host": "Host",
"How can I help you today?": "¿Cómo puedo ayudarte hoy?",
@@ -589,6 +605,8 @@
"Hybrid Search": "Búsqueda Híbrida",
"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.": "Aseguro que he leído y entiendo las implicaciones de mi acción. Soy consciente de los riesgos asociados con la ejecución de código arbitrario y he verificado la confiabilidad de la fuente.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Encender la curiosidad",
"Image": "Imagen",
"Image Compression": "Compresión de Imagen",
@@ -596,16 +614,16 @@
"Image Generation (Experimental)": "Generación de Imagen (experimental)",
"Image Generation Engine": "Motor de Generación de Imagen",
"Image Max Compression Size": "Tamaño Máximo de Compresión de Imagen",
- "Image Prompt Generation": "Indicador(prompt) para Generación de Imagen",
- "Image Prompt Generation Prompt": "Indicador para la Generación de Inficador de Imagen",
- "Image Settings": "Configuración de la Imágen",
+ "Image Prompt Generation": "Indicador para Generación de Imagen",
+ "Image Prompt Generation Prompt": "Indicador para la Generación de Imagen",
+ "Image Settings": "Configuración de Imágen",
"Images": "Imágenes",
"Import Chats": "Importar Chats",
"Import Config from JSON File": "Importar Config desde Archivo JSON",
"Import Functions": "Importar Funciones",
"Import Models": "Importar Modelos",
"Import Presets": "Importar Preajustes",
- "Import Prompts": "Importar Indicadores(prompts)",
+ "Import Prompts": "Importar Indicadores",
"Import Tools": "Importar Herramientas",
"Include": "Incluir",
"Include `--api-auth` flag when running stable-diffusion-webui": "Incluir el señalizador `--api-auth` al ejecutar stable-diffusion-webui",
@@ -615,7 +633,7 @@
"Inject the entire content as context for comprehensive processing, this is recommended for complex queries.": "Inyecta el contenido completo como contexto para un procesado comprensivo, recomendado para consultas complejas.",
"Input commands": "Ingresar comandos",
"Install from Github URL": "Instalar desde la URL de Github",
- "Instant Auto-Send After Voice Transcription": "Auto-Envio Instantaneo tras la Transcripción de Voz",
+ "Instant Auto-Send After Voice Transcription": "AutoEnvio Instantaneo tras la Transcripción de Voz",
"Integration": "Integración",
"Interface": "Interface",
"Invalid file format.": "Formato de archivo Inválido.",
@@ -631,8 +649,8 @@
"June": "Junio",
"Jupyter Auth": "Autenticación de Jupyter",
"Jupyter URL": "URL de Jupyter",
- "JWT Expiration": "Expiración del JWT",
- "JWT Token": "Token JWT",
+ "JWT Expiration": "Expiración del JSON Web Token (JWT)",
+ "JWT Token": "JSON Web Token",
"Kagi Search API Key": "Clave API de Kagi Search",
"Keep Alive": "Mantener Vivo",
"Key": "Clave",
@@ -648,19 +666,20 @@
"Kokoro.js Dtype": "Kokoro.js DType",
"Label": "Etiqueta",
"Landing Page Mode": "Modo Página Inicial",
- "Language": "Lenguaje",
+ "Language": "Idioma",
+ "Language Locales": "",
"Last Active": "Última Actividad",
"Last Modified": "Último Modificación",
"Last reply": "Última Respuesta",
"LDAP": "LDAP",
"LDAP server updated": "Servidor LDAP actualizado",
"Leaderboard": "Tabla Clasificatoria",
- "Learn more about OpenAPI tool servers.": "",
+ "Learn more about OpenAPI tool servers.": "Saber más sobre los servidores de herramientas OpenAPI",
"Leave empty for unlimited": "Dejar vacío para ilimitado",
"Leave empty to include all models from \"{{url}}/api/tags\" endpoint": "Dejar vacío para incluir todos los modelos desde el endpoint \"{{url}}/api/tags\"",
"Leave empty to include all models from \"{{url}}/models\" endpoint": "Dejar vacío para incluir todos los modelos desde el endpoint \"{{url}}/models\"",
"Leave empty to include all models or select specific models": "Dejar vacío para incluir todos los modelos o Seleccionar modelos específicos",
- "Leave empty to use the default prompt, or enter a custom prompt": "Dejar vacío para usar el indicador(prompt) predeterminado, o Ingresar un indicador(prompt) personalizado",
+ "Leave empty to use the default prompt, or enter a custom prompt": "Dejar vacío para usar el indicador predeterminado, o Ingresar un indicador personalizado",
"Leave model field empty to use the default model.": "Dejar vacío el campo modelo para usar el modelo predeterminado.",
"License": "Licencia",
"Light": "Claro",
@@ -676,7 +695,7 @@
"Lost": "Perdido",
"LTR": "LTR",
"Made by Open WebUI Community": "Creado por la Comunidad Open-WebUI",
- "Make sure to enclose them with": "Asegúrate de adjuntarlos con",
+ "Make sure to enclose them with": "Asegúrate de delimitarlos con",
"Make sure to export a workflow.json file as API format from ComfyUI.": "Asegúrate de exportar un archivo workflow.json en formato API desde ComfyUI.",
"Manage": "Gestionar",
"Manage Direct Connections": "Gestionar Conexiones Directas",
@@ -700,14 +719,13 @@
"Memory updated successfully": "Memoria actualizada correctamente",
"Merge Responses": "Fusionar Respuestas",
"Message rating should be enabled to use this feature": "Para usar esta función debe estar habilitada la calificación de mensajes",
- "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Los mensajes que envíe después de la creación del enlace no se compartirán. Los usuarios con la URL del enlace podrán ver el chat compartido.",
+ "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Los mensajes que envíe después de la creación del enlace no se compartirán. L@s usuari@s con la URL del enlace podrán ver el chat compartido.",
"Min P": "Min P",
- "Minimum Score": "Puntuación Mínima",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
- "Mistral OCR": "",
- "Mistral OCR API Key required.": "",
+ "Mistral OCR": "OCR Mistral",
+ "Mistral OCR API Key required.": "Clave API de Mistral OCR requerida",
"Model": "Modelo",
"Model '{{modelName}}' has been successfully downloaded.": "Modelo '{{modelName}}' se ha descargado correctamente.",
"Model '{{modelTag}}' is already in queue for downloading.": "Modelo '{{modelTag}}' ya está en cola para descargar.",
@@ -759,15 +777,15 @@
"No results found": "No se encontraron resultados",
"No search query generated": "No se generó ninguna consulta de búsqueda",
"No source available": "No hay fuente disponible",
- "No users were found.": "No se encontraron usuarios.",
+ "No users were found.": "No se encontraron usuari@s.",
"No valves to update": "No hay válvulas para actualizar",
"None": "Ninguno",
"Not factually correct": "No es correcto en todos los aspectos",
"Not helpful": "No aprovechable",
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si estableces una puntuación mínima, la búsqueda sólo devolverá documentos con una puntuación mayor o igual a la puntuación mínima establecida.",
"Notes": "Notas",
- "Notification Sound": "Notificación Sonido",
- "Notification Webhook": "Notificación EngancheWeb(webhook)",
+ "Notification Sound": "Notificación Sonora",
+ "Notification Webhook": "Notificación Enganchada (webhook)",
"Notifications": "Notificaciones",
"November": "Noviembre",
"num_gpu (Ollama)": "num_gpu (capas Ollama)",
@@ -786,7 +804,7 @@
"Only alphanumeric characters and hyphens are allowed": "Sólo están permitidos caracteres alfanuméricos y guiones",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo están permitidos en la cadena de comandos caracteres alfanuméricos y guiones.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, para añadir/editar documentos hay que crear una nueva base de conocimientos",
- "Only select users and groups with permission can access": "Solo pueden acceder los usuarios y grupos con permiso",
+ "Only select users and groups with permission can access": "Solo pueden acceder l@s usuari@s y grupos con permiso",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "¡vaya! Parece que la URL es inválida. Por favor, revisala y reintenta de nuevo.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "¡vaya! Todavía hay archivos subiendose. Por favor, espera a que se complete la subida.",
"Oops! There was an error in the previous response.": "¡vaya! Hubo un error en la respuesta previa.",
@@ -794,7 +812,7 @@
"Open file": "Abrir archivo",
"Open in full screen": "Abrir en pantalla completa",
"Open new chat": "Abrir nuevo chat",
- "Open WebUI can use tools provided by any OpenAPI server.": "",
+ "Open WebUI can use tools provided by any OpenAPI server.": "Open-WebUI puede usar herramientas proporcionadas por cualquier servidor OpenAPI",
"Open WebUI uses faster-whisper internally.": "Open-WebUI usa faster-whisper internamente.",
"Open WebUI uses SpeechT5 and CMU Arctic speaker embeddings.": "Open-WebUI usa SpeechT5 y la incrustración de locutores de CMU Arctic.",
"Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versión de Open-WebUI (v{{OPEN_WEBUI_VERSION}}) es inferior a la versión (v{{REQUIRED_VERSION}}) requerida",
@@ -804,16 +822,16 @@
"OpenAI API Key is required.": "Clave API de OpenAI requerida.",
"OpenAI API settings updated": "Ajustes de API OpenAI actualizados",
"OpenAI URL/Key required.": "URL/Clave de OpenAI requerida.",
- "openapi.json Path": "",
+ "openapi.json Path": "Ruta a openapi.json",
"or": "o",
- "Organize your users": "Organiza tus usuarios",
+ "Organize your users": "Organiza tus usuari@s",
"Other": "Otro",
"OUTPUT": "SALIDA",
"Output format": "Formato de salida",
"Overview": "Vista General",
"page": "página",
"Password": "Contraseña",
- "Paste Large Text as File": "Pegar el texto largo como archivo",
+ "Paste Large Text as File": "Pegar el Texto Largo como Archivo",
"PDF document (.pdf)": "Documento PDF (.pdf)",
"PDF Extract Images (OCR)": "Extraer imágenes del PDF (OCR)",
"pending": "pendiente",
@@ -829,15 +847,17 @@
"Pipeline deleted successfully": "Tubería borrada correctamente",
"Pipeline downloaded successfully": "Tubería descargada correctamente",
"Pipelines": "Tuberías",
- "Pipelines Not Detected": "Tuberías(pipelines) No Detectada",
+ "Pipelines Not Detected": "Servicio de Tuberías (Pipelines) No Detectado",
"Pipelines Valves": "Válvulas de Tuberías",
"Plain text (.txt)": "Texto plano (.txt)",
- "Playground": "Recreo",
+ "Playground": "Zona de Pruebas",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Por favor revisar cuidadosamente los siguientes avisos:",
"Please do not close the settings page while loading the model.": "Por favor no cerrar la página de ajustes mientras se está descargando el modelo.",
- "Please enter a prompt": "Por favor ingresar un indicador(prompt)",
- "Please enter a valid path": "",
- "Please enter a valid URL": "",
+ "Please enter a prompt": "Por favor ingresar un indicador",
+ "Please enter a valid path": "Por favor, ingresa una ruta válida",
+ "Please enter a valid URL": "Por favor, ingresa una URL válida",
"Please fill in all fields.": "Por favor rellenar todos los campos.",
"Please select a model first.": "Por favor primero seleccionar un modelo.",
"Please select a model.": "Por favor seleccionar un modelo.",
@@ -851,20 +871,20 @@
"Previous 7 days": "7 días previos",
"Private": "Privado",
"Profile Image": "Imagen del Perfil",
- "Prompt": "Indicador(prompt)",
- "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicador(prompt) (p.ej. Cuéntame una cosa divertida sobre el Imperio Romano)",
- "Prompt Autocompletion": "Autocompletado del Indicador(prompt)",
- "Prompt Content": "Contenido del Indicador(prompt)",
- "Prompt created successfully": "Indicador(prompt) creado exitosamente",
- "Prompt suggestions": "Indicadores(prompts) Sugeridos",
- "Prompt updated successfully": "Indicador(prompt) actualizado correctamente",
- "Prompts": "Indicadores(prompts)",
- "Prompts Access": "Acceso a Indicadores(prompts)",
+ "Prompt": "Indicador",
+ "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicador (p.ej. Cuéntame una cosa divertida sobre el Imperio Romano)",
+ "Prompt Autocompletion": "Autocompletado del Indicador",
+ "Prompt Content": "Contenido del Indicador",
+ "Prompt created successfully": "Indicador creado exitosamente",
+ "Prompt suggestions": "Indicadores Sugeridos",
+ "Prompt updated successfully": "Indicador actualizado correctamente",
+ "Prompts": "Indicadores",
+ "Prompts Access": "Acceso a Indicadores",
"Prompts Public Sharing": "",
"Public": "Público",
"Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" desde Ollama.com",
"Pull a model from Ollama.com": "Extraer un modelo desde Ollama.com",
- "Query Generation Prompt": "Consulta de Generación del Indicador(prompt)",
+ "Query Generation Prompt": "Indicador para la Consulta de Generación",
"RAG Template": "Plantilla del RAG",
"Rating": "Calificación",
"Re-rank models by topic similarity": "Reclasificar modelos por similitud temática",
@@ -874,19 +894,20 @@
"Record voice": "Grabar voz",
"Redirecting you to Open WebUI Community": "Redireccionando a la Comunidad Open-WebUI",
"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.": "Reduce la probabilidad de generación sin sentido. Un valor más alto (p.ej. 100) dará respuestas más diversas, mientras que un valor más bajo (p.ej. 10) será más conservador.",
- "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Referir a ti mismo como \"Usuario\" (p.ej. \"Usuario está aprendiendo Español\")",
+ "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Referir a ti mismo como \"Usuari@\" (p.ej. \"Usuari@ está aprendiendo Español\")",
"References from": "Referencias desde",
"Refused when it shouldn't have": "Rechazado cuando no debería haberlo hecho",
"Regenerate": "Regenerar",
- "Reindex": "",
- "Reindex Knowledge Base Vectors": "",
+ "Reindex": "Reindexar",
+ "Reindex Knowledge Base Vectors": "Reindexar Base Vectorial de Conocimiento",
"Release Notes": "Notas de la Versión",
"Relevance": "Relevancia",
+ "Relevance Threshold": "",
"Remove": "Eliminar",
"Remove Model": "Eliminar Modelo",
"Rename": "Renombrar",
"Reorder Models": "Reordenar Modelos",
- "Repeat Last N": "Repetir Últimas N",
+ "Repeat Last N": "Repetición - Últimos N",
"Repeat Penalty (Ollama)": "Penalización Repetición (Ollama)",
"Reply in Thread": "Responder en Hilo",
"Request Mode": "Modo de Petición",
@@ -930,8 +951,8 @@
"Search Knowledge": "Buscar Conocimiento",
"Search Models": "Buscar Modelos",
"Search options": "Opciones de Búsqueda",
- "Search Prompts": "Buscar Indicadores(prompts)",
- "Search Result Count": "Recuento de resultados de búsqueda",
+ "Search Prompts": "Buscar Indicadores",
+ "Search Result Count": "Número de resultados de la búsqueda",
"Search the internet": "Buscar en internet",
"Search Tools": "Buscar Herramientas",
"SearchApi API Key": "Clave API de SearchApi",
@@ -986,7 +1007,7 @@
"Set whisper model": "Establecer modelo whisper (transcripción)",
"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.": "Establece un sesgo plano contra los tokens que han aparecido al menos una vez. Un valor más alto (p.ej. 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (p.ej. 0.9) será más indulgente. En 0, está deshabilitado.",
"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.": "Establece un sesgo escalado contra los tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por ejemplo, 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (por ejemplo, 0.9) será más indulgente. En 0, está deshabilitado.",
- "Sets how far back for the model to look back to prevent repetition.": "Establece cuánto debe mirar atrás el modelo para prevenir la repetición.",
+ "Sets how far back for the model to look back to prevent repetition.": "Establece cuántos tokens debe mirar atrás el modelo para prevenir la repetición. ",
"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.": "Establece la semilla de números aleatorios a usar para la generación. Establecer esto en un número específico hará que el modelo genere el mismo texto para el mismo indicador(prompt).",
"Sets the size of the context window used to generate the next token.": "Establece el tamaño de la ventana del contexto utilizada para generar el siguiente token.",
"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.": "Establece las secuencias de parada a usar. Cuando se encuentre este patrón, el LLM dejará de generar texto y retornará. Se pueden establecer varios patrones de parada especificando separadamente múltiples parámetros de parada en un archivo de modelo.",
@@ -998,7 +1019,7 @@
"Sharing Permissions": "",
"Show": "Mostrar",
"Show \"What's New\" modal on login": "Mostrar modal \"Qué hay de Nuevo\" al iniciar sesión",
- "Show Admin Details in Account Pending Overlay": "Mostrar Detalles Admin en la Sobrecapa Cuenta Pendiente",
+ "Show Admin Details in Account Pending Overlay": "Mostrar Detalles Admin en la sobrecapa de 'Cuenta Pendiente'",
"Show Model": "",
"Show shortcuts": "Mostrar Atajos",
"Show your support!": "¡Muestra tu apoyo!",
@@ -1011,15 +1032,17 @@
"Sign up to {{WEBUI_NAME}}": "Crear una Cuenta en {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Iniciando Sesión en {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Fuente",
"Speech Playback Speed": "Velocidad de Reproducción de Voz",
"Speech recognition error: {{error}}": "Error en reconocimiento de voz: {{error}}",
"Speech-to-Text Engine": "Motor Voz a Texto(STT)",
"Stop": "Detener",
- "Stop Sequence": "Detener Secuencia",
- "Stream Chat Response": "Transmitir Respuesta del Chat",
+ "Stop Sequence": "Secuencia de Parada",
+ "Stream Chat Response": "Transmisión Directa de la Respuesta del Chat",
"STT Model": "Modelo STT",
- "STT Settings": "Ajustes STT",
+ "STT Settings": "Ajustes Voz a Texto (STT)",
"Subtitle (e.g. about the Roman Empire)": "Subtítulo (p.ej. sobre el Imperio Romano)",
"Success": "Correcto",
"Successfully updated.": "Actualizado correctamente.",
@@ -1029,15 +1052,16 @@
"Sync directory": "Sincroniza Directorio",
"System": "Sistema",
"System Instructions": "Instrucciones del sistema",
- "System Prompt": "Indicador(prompt) del sistema",
+ "System Prompt": "Indicador del sistema",
"Tags": "Etiquetas",
"Tags Generation": "Generación de Etiquetas",
- "Tags Generation Prompt": "Indicador(prompt) para la Generación de Etiquetas",
+ "Tags Generation Prompt": "Indicador para la Generación de Etiquetas",
"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.": "El Muestreo de cola libre(TFS_Z) es usado para reducir el impacto de los tokens menos probables en la salida. Un valor más alto (p.ej. 2.0) reduce más fuertemente el impacto, mientras que un valor de 1.0 deshabilita este ajuste.",
"Talk to model": "Hablar con el modelo",
"Tap to interrupt": "Toca para interrumpir",
"Tasks": "Tareas",
"Tavily API Key": "Clave API de Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Dinos algo más:",
"Temperature": "Temperatura",
"Template": "Plantilla",
@@ -1047,12 +1071,12 @@
"Tfs Z": "TFS Z",
"Thanks for your feedback!": "¡Gracias por tu realimentación!",
"The Application Account DN you bind with for search": "Cuenta DN de la aplicación vinculada para búsqueda",
- "The base to search for users": "La base para buscar usuarios",
+ "The base to search for users": "La base para buscar usuari@s",
"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.": "El tamaño de lote determina cuántas solicitudes de texto se procesan juntas de una vez. Un tamaño de lote más alto puede aumentar el rendimiento y la velocidad del modelo, pero también requiere más memoria.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "L@s desarrolladores de este complemento son apasionad@s voluntari@s de la comunidad. Si este complemento te es útil, por favor considera contribuir a su desarrollo.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "La tabla clasificatoria de evaluación se basa en el sistema de clasificación Elo y se actualiza en tiempo real.",
- "The LDAP attribute that maps to the mail that users use to sign in.": "El atributo LDAP que mapea el correo que los usuarios utilizan para iniciar sesión.",
- "The LDAP attribute that maps to the username that users use to sign in.": "El atributo LDAP que mapea el nombre de usuario que los usuarios utilizan para iniciar sesión.",
+ "The LDAP attribute that maps to the mail that users use to sign in.": "El atributo LDAP que mapea el correo que l@s usuari@s utilizan para iniciar sesión.",
+ "The LDAP attribute that maps to the username that users use to sign in.": "El atributo LDAP que mapea el nombre de usuari@ que l@s usuari@s utilizan para iniciar sesión.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "La tabla clasificatoria está actualmente en beta, por lo que los cálculos de clasificación pueden reajustarse a medida que se refina el algoritmo.",
"The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "El tamaño máximo del archivo en MB. Si el tamaño del archivo supera este límite, el archivo no se subirá.",
"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.": "El número máximo de archivos que se pueden utilizar a la vez en el chat. Si se supera este límite, los archivos no se subirán.",
@@ -1062,10 +1086,10 @@
"Thinking...": "Pensando...",
"This action cannot be undone. Do you wish to continue?": "Esta acción no se puede deshacer. ¿Desea continuar?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Este canal fue creado el {{createdAt}}. Este es el comienzo del canal {{channelName}}.",
- "This chat won’t appear in history and your messages will not be saved.": "",
+ "This chat won’t appear in history and your messages will not be saved.": "Este chat no aparecerá en el historial y los mensajes no se guardarán.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guardan de forma segura en tu base de datos del servidor trasero (backend). ¡Gracias!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es una característica experimental, por lo que puede no funcionar como se esperaba y está sujeta a cambios en cualquier momento.",
- "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.": "Esta opción controla cuántos tokens se conservan cuando se actualiza el contexto. Por ejemplo, si se establece en 2, se conservarán los últimos 2 tokens del contexto de la conversación. Conservar el contexto puede ayudar a mantener la continuidad de una conversación, pero puede reducir la habilidad para responder a nuevos temas.",
+ "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.": "Esta opción controla cuántos tokens se conservan cuando se actualiza el contexto. Por ejemplo, si se establece en 2, se conservarán los primeros 2 tokens del contexto de la conversación. Conservar el contexto puede ayudar a mantener la continuidad de una conversación, pero puede reducir la habilidad para responder a nuevos temas.",
"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.": "Esta opción establece el número máximo de tokens que el modelo puede generar en sus respuestas. Aumentar este límite permite al modelo proporcionar respuestas más largas, pero también puede aumentar la probabilidad de que se genere contenido inútil o irrelevante.",
"This option will delete all existing files in the collection and replace them with newly uploaded files.": "Esta opción eliminará todos los archivos existentes en la colección y los reemplazará con los nuevos archivos subidos.",
"This response was generated by \"{{model}}\"": "Esta respuesta fue generada por \"{{model}}\"",
@@ -1086,11 +1110,11 @@
"Title Auto-Generation": "AutoGeneración de Títulos",
"Title cannot be an empty string.": "El título no puede ser una cadena vacía.",
"Title Generation": "Generación de Títulos",
- "Title Generation Prompt": "Indicador(prompt) para la Generación de Título",
+ "Title Generation Prompt": "Indicador para la Generación de Título",
"TLS": "TLS",
"To access the available model names for downloading,": "Para acceder a los nombres de modelos disponibles para descargar,",
"To access the GGUF models available for downloading,": "Para acceder a los modelos GGUF disponibles para descargar,",
- "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Para acceder a WebUI, por favor contacte con Admins. L@s administradores pueden gestionar los estados de l@s usuarios desde el panel de administración.",
+ "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Para acceder a WebUI, por favor contacte con Admins. L@s administradores pueden gestionar los estados de l@s usuari@s esde el panel de administración.",
"To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "Para adjuntar la base de conocimientos aquí, primero añadirla a \"Conocimiento\" en el área de trabajo.",
"To learn more about available endpoints, visit our documentation.": "Para aprender más sobre los endpoints disponibles, visite nuestra documentación.",
"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.": "Para proteger tu privacidad, de tu realimentación solo se comparten las calificaciones, IDs de modelo, etiquetas y metadatos; tus chat registrados permanecen privados y no se incluyen.",
@@ -1110,12 +1134,12 @@
"Tool ID": "ID de la Herramienta",
"Tool imported successfully": "Herramienta importada correctamente",
"Tool Name": "Nombre de la Herramienta",
- "Tool Servers": "",
+ "Tool Servers": "Servidores de Herraientas",
"Tool updated successfully": "Herramienta actualizada correctamente",
"Tools": "Herramientas",
"Tools Access": "Acceso a Herramientas",
"Tools are a function calling system with arbitrary code execution": "Las herramientas son un sistema de llamada de funciones con ejecución de código arbitrario",
- "Tools Function Calling Prompt": "Indicador(prompt) para la Función de Llamada a las Herramientas",
+ "Tools Function Calling Prompt": "Indicador para la Función de Llamada a las Herramientas",
"Tools have a function calling system that allows arbitrary code execution": "Las herramientas tienen un sistema de llamadas de funciones que permite la ejecución de código arbitrario",
"Tools have a function calling system that allows arbitrary code execution.": "Las herramientas tienen un sistema de llamada de funciones que permite la ejecución de código arbitrario.",
"Tools Public Sharing": "",
@@ -1125,9 +1149,9 @@
"Transformers": "Transformadores",
"Trouble accessing Ollama?": "¿Problemas para acceder a Ollama?",
"Trust Proxy Environment": "Entorno Proxy Confiable",
- "TTS Model": "TTS Modelo",
- "TTS Settings": "TTS Ajustes",
- "TTS Voice": "TTS Voz",
+ "TTS Model": "Modelo TTS",
+ "TTS Settings": "Ajustes Texto a Voz (TTS)",
+ "TTS Voice": "Voz TTS",
"Type": "Tipo",
"Type Hugging Face Resolve (Download) URL": "Escribir la URL de Hugging Face Resolve (Descarga)",
"Uh-oh! There was an issue with the response.": "¡Vaya! Hubo un problema con la respuesta.",
@@ -1156,20 +1180,20 @@
"Upload Progress": "Progreso de la Subida",
"URL": "URL",
"URL Mode": "Modo URL",
- "Use '#' in the prompt input to load and include your knowledge.": "Utilizar '#' en el indicador(prompt) para cargar e incluir tu conocimiento.",
+ "Use '#' in the prompt input to load and include your knowledge.": "Utilizar '#' en el indicador para cargar e incluir tu conocimiento.",
"Use Gravatar": "Usar Gravatar",
- "Use groups to group your users and assign permissions.": "Usar grupos para agrupar a usuarios y asignar permisos.",
+ "Use groups to group your users and assign permissions.": "Usar grupos para agrupar a usuari@s y asignar permisos.",
"Use Initials": "Usar Iniciales",
- "Use no proxy to fetch page contents.": "",
- "Use proxy designated by http_proxy and https_proxy environment variables to fetch page contents.": "",
+ "Use no proxy to fetch page contents.": "No usar proxy para extraer contenidos",
+ "Use proxy designated by http_proxy and https_proxy environment variables to fetch page contents.": "Usar el proxy asignado en las variables del entorno http_proxy y/o https_proxy para extraer contenido",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
- "user": "usuario",
- "User": "Usuario",
- "User location successfully retrieved.": "Ubicación del usuario obtenida correctamente.",
- "User Webhooks": "Usuario EnganchesWeb(webhooks)",
- "Username": "Nombre de Usuario",
- "Users": "Usuarios",
+ "user": "usuari@",
+ "User": "Usuari@",
+ "User location successfully retrieved.": "Ubicación de usuari@ obtenida correctamente.",
+ "User Webhooks": "Usuari@ EnganchesWeb(webhooks)",
+ "Username": "Nombre de Usuari@",
+ "Users": "Usuari@s",
"Using the default arena model with all models. Click the plus button to add custom models.": "Usando el modelo de arena predeterminado con todos los modelos. Pulsar en el botón + para agregar modelos personalizados.",
"Utilize": "Utilizar",
"Valid time units:": "Unidades de tiempo válidas:",
@@ -1177,8 +1201,9 @@
"Valves updated": "Válvulas actualizadas",
"Valves updated successfully": "Válvulas actualizados correctamente",
"variable": "variable",
- "variable to have them replaced with clipboard content.": "variable para ser reemplazada con el contenido del portapapeles.",
+ "variable to have them replaced with clipboard content.": "hace que la variable sea reemplazada con el contenido del portapapeles.",
"Verify Connection": "Verificar Conexión",
+ "Verify SSL Certificate": "",
"Version": "Versión",
"Version {{selectedVersion}} of {{totalVersions}}": "Versión {{selectedVersion}} de {{totalVersions}}",
"View Replies": "Ver Respuestas",
@@ -1188,16 +1213,17 @@
"Voice Input": "Entrada de Voz",
"Warning": "Aviso",
"Warning:": "Aviso:",
- "Warning: Enabling this will allow users to upload arbitrary code on the server.": "Aviso: Habilitar esto permitirá a los usuarios subir código arbitrario al servidor.",
+ "Warning: Enabling this will allow users to upload arbitrary code on the server.": "Aviso: Habilitar esto permitirá a l@s usuari@s subir código arbitrario al servidor.",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Aviso: Si actualizas o cambias el modelo de incrustacción, necesitarás re-importar todos los documentos.",
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Aviso: La ejecución Jupyter habilita la ejecución de código arbitrario, planteando graves riesgos de seguridad; Proceder con extrema precaución.",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Búsqueda Web",
"Web Search Engine": "Motor Búsqueda Web",
"Web Search in Chat": "Búsqueda Web en Chat",
"Web Search Query Generation": "Generación de Consulta Búsqueda Web",
- "Webhook URL": "URL EngancheWeb(Webhook)",
+ "Webhook URL": "URL EnganchesWeb(Webhook)",
"WebUI Settings": "WebUI Ajustes",
"WebUI URL": "WebUI URL",
"WebUI will make requests to \"{{url}}\"": "",
@@ -1206,7 +1232,7 @@
"What are you trying to achieve?": "¿Qué estás tratando de conseguir?",
"What are you working on?": "¿En qué estás trabajando?",
"What’s New in": "Que hay de Nuevo en",
- "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.": "Cuando está habilitado, el modelo responderá a cada mensaje de chat en tiempo real, generando una respuesta tan pronto como el usuario envíe un mensaje. Este modo es útil para aplicaciones de chat en vivo, pero puede afectar al rendimiento en equipos más lentos.",
+ "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.": "Cuando está habilitado, el modelo responderá a cada mensaje de chat en tiempo real, generando una respuesta tan pronto como se envíe un mensaje. Este modo es útil para aplicaciones de chat en vivo, pero puede afectar al rendimiento en equipos más lentos.",
"wherever you are": "dondequiera que estés",
"Whisper (Local)": "Whisper (Local)",
"Why?": "¿Por qué?",
@@ -1216,7 +1242,7 @@
"Workspace": "Espacio de Trabajo",
"Workspace Permissions": "Permisos del Espacio de Trabajo",
"Write": "Escribir",
- "Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia de Indicador(prompt) (p.ej. ¿quién eres?)",
+ "Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia de indicador (p.ej. ¿quién eres?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escribe un resumen en 50 palabras que resuma [tema o palabra clave].",
"Write something...": "Escribe algo...",
"Write your model template content here": "Escribe el contenido de la plantilla de tu modelo aquí",
diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json
index 9a55784a70..a6b34f5f4c 100644
--- a/src/lib/i18n/locales/et-EE/translation.json
+++ b/src/lib/i18n/locales/et-EE/translation.json
@@ -57,13 +57,17 @@
"All": "Kõik",
"All Documents": "Kõik dokumendid",
"All models deleted successfully": "Kõik mudelid edukalt kustutatud",
+ "Allow Call": "",
"Allow Chat Controls": "Luba vestluse kontrollnupud",
"Allow Chat Delete": "Luba vestluse kustutamine",
"Allow Chat Deletion": "Luba vestluse kustutamine",
"Allow Chat Edit": "Luba vestluse muutmine",
"Allow File Upload": "Luba failide üleslaadimine",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Luba mitte-lokaalsed hääled",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Luba ajutine vestlus",
+ "Allow Text to Speech": "",
"Allow User Location": "Luba kasutaja asukoht",
"Allow Voice Interruption in Call": "Luba hääle katkestamine kõnes",
"Allowed Endpoints": "Lubatud lõpp-punktid",
@@ -79,6 +83,7 @@
"and": "ja",
"and {{COUNT}} more": "ja veel {{COUNT}}",
"and create a new shared link.": "ja looge uus jagatud link.",
+ "Android": "",
"API Base URL": "API baas-URL",
"API Key": "API võti",
"API Key created.": "API võti loodud.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API võti",
"By {{name}}": "Autor: {{name}}",
"Bypass Embedding and Retrieval": "Möödaminek sisestamisest ja taastamisest",
- "Bypass SSL verification for Websites": "Möödaminek veebisaitide SSL-kontrollimisest",
"Calendar": "Kalender",
"Call": "Kõne",
"Call feature is not supported when using Web STT engine": "Kõnefunktsioon ei ole Web STT mootorit kasutades toetatud",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Jagatud vestluse URL kopeeritud lõikelauale!",
"Copied to clipboard": "Kopeeritud lõikelauale",
"Copy": "Kopeeri",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopeeri viimane koodiplokk",
"Copy last response": "Kopeeri viimane vastus",
"Copy Link": "Kopeeri link",
@@ -303,6 +308,7 @@
"Deleted User": "Kustutatud kasutaja",
"Describe your knowledge base and objectives": "Kirjeldage oma teadmiste baasi ja eesmärke",
"Description": "Kirjeldus",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Ei järginud täielikult juhiseid",
"Direct": "",
"Direct Connections": "Otsesed ühendused",
@@ -358,6 +364,7 @@
"e.g. my_filter": "nt minu_filter",
"e.g. my_tools": "nt minu_toriistad",
"e.g. Tools for performing various operations": "nt tööriistad mitmesuguste operatsioonide teostamiseks",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Muuda",
"Edit Arena Model": "Muuda Areena mudelit",
"Edit Channel": "Muuda kanalit",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Sisestage dokumendi intelligentsuse võti",
"Enter domains separated by commas (e.g., example.com,site.org)": "Sisestage domeenid komadega eraldatult (nt example.com,site.org)",
"Enter Exa API Key": "Sisestage Exa API võti",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Sisestage Github toorURL",
"Enter Google PSE API Key": "Sisestage Google PSE API võti",
"Enter Google PSE Engine Id": "Sisestage Google PSE mootori ID",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Sisestage Mojeek Search API võti",
"Enter Number of Steps (e.g. 50)": "Sisestage sammude arv (nt 50)",
"Enter Perplexity API Key": "Sisestage Perplexity API võti",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Sisestage puhverserveri URL (nt https://kasutaja:parool@host:port)",
"Enter reasoning effort": "Sisestage arutluspingutus",
"Enter Sampler (e.g. Euler a)": "Sisestage valimismeetod (nt Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Sisestage serveri host",
"Enter server label": "Sisestage serveri silt",
"Enter server port": "Sisestage serveri port",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Sisestage lõpetamise järjestus",
"Enter system prompt": "Sisestage süsteemi vihjed",
"Enter system prompt here": "",
"Enter Tavily API Key": "Sisestage Tavily API võti",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Sisestage oma WebUI avalik URL. Seda URL-i kasutatakse teadaannetes linkide genereerimiseks.",
"Enter Tika Server URL": "Sisestage Tika serveri URL",
"Enter timeout in seconds": "Sisestage aegumine sekundites",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter on nüüd globaalselt lubatud",
"Filters": "Filtrid",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Tuvastati sõrmejälje võltsimine: initsiaalide kasutamine avatarina pole võimalik. Kasutatakse vaikimisi profiilikujutist.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Suurte väliste vastuste tükkide sujuv voogedastus",
"Focus chat input": "Fokuseeri vestluse sisendile",
"Folder deleted successfully": "Kaust edukalt kustutatud",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hübriidotsing",
"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.": "Kinnitan, et olen lugenud ja mõistan oma tegevuse tagajärgi. Olen teadlik suvalise koodi käivitamisega seotud riskidest ja olen kontrollinud allika usaldusväärsust.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Süüta uudishimu",
"Image": "Pilt",
"Image Compression": "Pildi tihendamine",
@@ -649,6 +667,7 @@
"Label": "Silt",
"Landing Page Mode": "Maandumislehe režiim",
"Language": "Keel",
+ "Language Locales": "",
"Last Active": "Viimati aktiivne",
"Last Modified": "Viimati muudetud",
"Last reply": "Viimane vastus",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Selle funktsiooni kasutamiseks peaks sõnumite hindamine olema lubatud",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Teie saadetud sõnumeid pärast lingi loomist ei jagata. Kasutajad, kellel on URL, saavad vaadata jagatud vestlust.",
"Min P": "Min P",
- "Minimum Score": "Minimaalne skoor",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Torustike klapid",
"Plain text (.txt)": "Lihttekst (.txt)",
"Playground": "Mänguväljak",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Palun vaadake hoolikalt läbi järgmised hoiatused:",
"Please do not close the settings page while loading the model.": "Palun ärge sulgege seadete lehte mudeli laadimise ajal.",
"Please enter a prompt": "Palun sisestage vihje",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Väljalaskemärkmed",
"Relevance": "Asjakohasus",
+ "Relevance Threshold": "",
"Remove": "Eemalda",
"Remove Model": "Eemalda mudel",
"Rename": "Nimeta ümber",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Registreeru {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Sisselogimine {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Allikas",
"Speech Playback Speed": "Kõne taasesituse kiirus",
"Speech recognition error: {{error}}": "Kõnetuvastuse viga: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Puuduta katkestamiseks",
"Tasks": "Ülesanded",
"Tavily API Key": "Tavily API võti",
+ "Tavily Extract Depth": "",
"Tell us more:": "Räägi meile lähemalt:",
"Temperature": "Temperatuur",
"Template": "Mall",
@@ -1179,6 +1203,7 @@
"variable": "muutuja",
"variable to have them replaced with clipboard content.": "muutuja, et need asendataks lõikelaua sisuga.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versioon",
"Version {{selectedVersion}} of {{totalVersions}}": "Versioon {{selectedVersion}} / {{totalVersions}}",
"View Replies": "Vaata vastuseid",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Hoiatus: Jupyter täitmine võimaldab suvalise koodi käivitamist, mis kujutab endast tõsist turvariski - jätkake äärmise ettevaatusega.",
"Web": "Veeb",
"Web API": "Veebi API",
+ "Web Loader Engine": "",
"Web Search": "Veebiotsing",
"Web Search Engine": "Veebi otsingumootor",
"Web Search in Chat": "Veebiotsing vestluses",
diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json
index 89d3d2d17e..53a8b3e6a9 100644
--- a/src/lib/i18n/locales/eu-ES/translation.json
+++ b/src/lib/i18n/locales/eu-ES/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Dokumentu Guztiak",
"All models deleted successfully": "Eredu guztiak ongi ezabatu dira",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Baimendu Txata Ezabatzea",
"Allow Chat Deletion": "Baimendu Txata Ezabatzea",
"Allow Chat Edit": "Baimendu Txata Editatzea",
"Allow File Upload": "Baimendu Fitxategiak Igotzea",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Baimendu urruneko ahotsak",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Baimendu Behin-behineko Txata",
+ "Allow Text to Speech": "",
"Allow User Location": "Baimendu Erabiltzailearen Kokapena",
"Allow Voice Interruption in Call": "Baimendu Ahots Etena Deietan",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "eta",
"and {{COUNT}} more": "eta {{COUNT}} gehiago",
"and create a new shared link.": "eta sortu partekatutako esteka berri bat.",
+ "Android": "",
"API Base URL": "API Oinarri URLa",
"API Key": "API Gakoa",
"API Key created.": "API Gakoa sortu da.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Bilaketa API Gakoa",
"By {{name}}": "{{name}}-k",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Saihestu SSL egiaztapena Webguneentzat",
"Calendar": "",
"Call": "Deia",
"Call feature is not supported when using Web STT engine": "Dei funtzioa ez da onartzen Web STT motorra erabiltzean",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Partekatutako txataren URLa arbelera kopiatu da!",
"Copied to clipboard": "Arbelera kopiatuta",
"Copy": "Kopiatu",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopiatu azken kode blokea",
"Copy last response": "Kopiatu azken erantzuna",
"Copy Link": "Kopiatu Esteka",
@@ -303,6 +308,7 @@
"Deleted User": "Ezabatutako Erabiltzailea",
"Describe your knowledge base and objectives": "Deskribatu zure ezagutza-basea eta helburuak",
"Description": "Deskribapena",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Ez ditu jarraibideak guztiz jarraitu",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "adib. nire_iragazkia",
"e.g. my_tools": "adib. nire_tresnak",
"e.g. Tools for performing various operations": "adib. Hainbat eragiketa egiteko tresnak",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editatu",
"Edit Arena Model": "Editatu Arena Eredua",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Sartu Github Raw URLa",
"Enter Google PSE API Key": "Sartu Google PSE API Gakoa",
"Enter Google PSE Engine Id": "Sartu Google PSE Motor IDa",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Sartu Mojeek Bilaketa API Gakoa",
"Enter Number of Steps (e.g. 50)": "Sartu Urrats Kopurua (adib. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Sartu Sampler-a (adib. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Sartu zerbitzariaren ostalaria",
"Enter server label": "Sartu zerbitzariaren etiketa",
"Enter server port": "Sartu zerbitzariaren portua",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Sartu gelditze sekuentzia",
"Enter system prompt": "Sartu sistema prompta",
"Enter system prompt here": "",
"Enter Tavily API Key": "Sartu Tavily API Gakoa",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Iragazkia orain globalki gaituta dago",
"Filters": "Iragazkiak",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Hatz-marka faltsutzea detektatu da: Ezin dira inizialak avatar gisa erabili. Profil irudi lehenetsia erabiliko da.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Modu jariagarrian transmititu kanpoko erantzun zati handiak",
"Focus chat input": "Fokuratu txataren sarrera",
"Folder deleted successfully": "Karpeta ongi ezabatu da",
@@ -589,6 +605,8 @@
"Hybrid Search": "Bilaketa Hibridoa",
"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.": "Onartzen dut irakurri dudala eta nire ekintzaren ondorioak ulertzen ditudala. Kode arbitrarioa exekutatzearekin lotutako arriskuez jabetzen naiz eta iturriaren fidagarritasuna egiaztatu dut.",
"ID": "IDa",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Piztu jakin-mina",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "Etiketa",
"Landing Page Mode": "Hasiera Orriaren Modua",
"Language": "Hizkuntza",
+ "Language Locales": "",
"Last Active": "Azken Aktibitatea",
"Last Modified": "Azken Aldaketa",
"Last reply": "",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Mezuen balorazioa gaitu behar da funtzionalitate hau erabiltzeko",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Esteka sortu ondoren bidaltzen dituzun mezuak ez dira partekatuko. URLa duten erabiltzaileek partekatutako txata ikusi ahal izango dute.",
"Min P": "Min P",
- "Minimum Score": "Puntuazio minimoa",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pipeline balbulak",
"Plain text (.txt)": "Testu laua (.txt)",
"Playground": "Jolaslekua",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Mesedez, berrikusi arretaz hurrengo oharrak:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Mesedez, sartu prompt bat",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Bertsio oharrak",
"Relevance": "Garrantzia",
+ "Relevance Threshold": "",
"Remove": "Kendu",
"Remove Model": "Kendu modeloa",
"Rename": "Berrizendatu",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Erregistratu {{WEBUI_NAME}}-n",
"Signing in to {{WEBUI_NAME}}": "{{WEBUI_NAME}}-n saioa hasten",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Iturria",
"Speech Playback Speed": "Ahots erreprodukzio abiadura",
"Speech recognition error: {{error}}": "Ahots ezagutze errorea: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Ukitu eteteko",
"Tasks": "",
"Tavily API Key": "Tavily API gakoa",
+ "Tavily Extract Depth": "",
"Tell us more:": "Kontatu gehiago:",
"Temperature": "Tenperatura",
"Template": "Txantiloia",
@@ -1179,6 +1203,7 @@
"variable": "aldagaia",
"variable to have them replaced with clipboard content.": "aldagaia arbeleko edukiarekin ordezkatzeko.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Bertsioa",
"Version {{selectedVersion}} of {{totalVersions}}": "{{totalVersions}}-tik {{selectedVersion}}. bertsioa",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Weba",
"Web API": "Web APIa",
+ "Web Loader Engine": "",
"Web Search": "Web bilaketa",
"Web Search Engine": "Web bilaketa motorra",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json
index 2a530e738d..2badcedbf0 100644
--- a/src/lib/i18n/locales/fa-IR/translation.json
+++ b/src/lib/i18n/locales/fa-IR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "همهٔ سند\u200cها",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "اجازهٔ حذف گفتگو",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "اجازهٔ گفتگوی موقتی",
+ "Allow Text to Speech": "",
"Allow User Location": "اجازهٔ موقعیت مکانی کاربر",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "و",
"and {{COUNT}} more": "و {{COUNT}} مورد دیگر",
"and create a new shared link.": "و یک پیوند اشتراک\u200cگذاری جدید ایجاد کنید.",
+ "Android": "",
"API Base URL": "نشانی پایهٔ API",
"API Key": "کلید API",
"API Key created.": "کلید API ساخته شد.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "کلید API جستجوی شجاع",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "عبور از تأیید SSL برای وب سایت ها",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL چت به کلیپ بورد کپی شد!",
"Copied to clipboard": "به بریده\u200cدان کپی\u200cشد",
"Copy": "کپی",
+ "Copy Formatted Text": "",
"Copy last code block": "کپی آخرین بلوک کد",
"Copy last response": "کپی آخرین پاسخ",
"Copy Link": "کپی لینک",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "توضیحات",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "نمی تواند دستورالعمل را کامل پیگیری کند",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ویرایش",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "ادرس Github Raw را وارد کنید",
"Enter Google PSE API Key": "کلید API گوگل PSE را وارد کنید",
"Enter Google PSE Engine Id": "شناسه موتور PSE گوگل را وارد کنید",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "تعداد گام ها را وارد کنید (مثال: 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "توالی توقف را وارد کنید",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "فانگ سرفیس شناسایی شد: نمی توان از نمایه شما به عنوان آواتار استفاده کرد. پیش فرض به عکس پروفایل پیش فرض برگشت داده شد.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "تکه های پاسخ خارجی بزرگ را به صورت سیال پخش کنید",
"Focus chat input": "فوکوس کردن ورودی گپ",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "زبان",
+ "Language Locales": "",
"Last Active": "آخرین فعال",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "نماد کمینه",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "شیرالات خطوط لوله",
"Plain text (.txt)": "متن ساده (.txt)",
"Playground": "زمین بازی",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "یادداشت\u200cهای انتشار",
"Relevance": "ارتباط",
+ "Relevance Threshold": "",
"Remove": "حذف",
"Remove Model": "حذف مدل",
"Rename": "تغییر نام",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "منبع",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "خطای تشخیص گفتار: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "بیشتر بگویید:",
"Temperature": "دما",
"Template": "الگو",
@@ -1179,6 +1203,7 @@
"variable": "متغیر",
"variable to have them replaced with clipboard content.": "متغیر برای جایگزینی آنها با محتوای بریده\u200cدان.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "نسخه",
"Version {{selectedVersion}} of {{totalVersions}}": "نسخهٔ {{selectedVersion}} از {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "وب",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "جستجوی وب",
"Web Search Engine": "موتور جستجوی وب",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json
index 246b80e3be..e1022e938e 100644
--- a/src/lib/i18n/locales/fi-FI/translation.json
+++ b/src/lib/i18n/locales/fi-FI/translation.json
@@ -57,13 +57,17 @@
"All": "Kaikki",
"All Documents": "Kaikki asiakirjat",
"All models deleted successfully": "Kaikki mallit poistettu onnistuneesti",
+ "Allow Call": "",
"Allow Chat Controls": "Salli keskustelujen hallinta",
"Allow Chat Delete": "Salli keskustelujen poisto",
"Allow Chat Deletion": "Salli keskustelujen poisto",
"Allow Chat Edit": "Salli keskustelujen muokkaus",
"Allow File Upload": "Salli tiedostojen lataus",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Salli ei-paikalliset äänet",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Salli väliaikaiset keskustelut",
+ "Allow Text to Speech": "",
"Allow User Location": "Salli käyttäjän sijainti",
"Allow Voice Interruption in Call": "Salli äänen keskeytys puhelussa",
"Allowed Endpoints": "Hyväksytyt päätepisteet",
@@ -79,6 +83,7 @@
"and": "ja",
"and {{COUNT}} more": "ja {{COUNT}} muuta",
"and create a new shared link.": "ja luo uusi jaettu linkki.",
+ "Android": "",
"API Base URL": "API:n verkko-osoite",
"API Key": "API-avain",
"API Key created.": "API-avain luotu.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API -avain",
"By {{name}}": "Tekijä {{name}}",
"Bypass Embedding and Retrieval": "Ohita upotus ja haku",
- "Bypass SSL verification for Websites": "Ohita SSL-varmennus verkkosivustoille",
"Calendar": "Kalenteri",
"Call": "Puhelu",
"Call feature is not supported when using Web STT engine": "Puhelutoimintoa ei tueta käytettäessä web-puheentunnistusmoottoria",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Jaettu keskustelulinkki kopioitu leikepöydälle!",
"Copied to clipboard": "Kopioitu leikepöydälle",
"Copy": "Kopioi",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopioi viimeisin koodilohko",
"Copy last response": "Kopioi viimeisin vastaus",
"Copy Link": "Kopioi linkki",
@@ -303,6 +308,7 @@
"Deleted User": "Käyttäjä poistettu",
"Describe your knowledge base and objectives": "Kuvaa tietokantasi ja tavoitteesi",
"Description": "Kuvaus",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Ei noudattanut ohjeita täysin",
"Direct": "Suora",
"Direct Connections": "Suorat yhteydet",
@@ -358,6 +364,7 @@
"e.g. my_filter": "esim. oma_suodatin",
"e.g. my_tools": "esim. omat_työkalut",
"e.g. Tools for performing various operations": "esim. työkaluja erilaisten toimenpiteiden suorittamiseen",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Muokkaa",
"Edit Arena Model": "Muokkaa Arena-mallia",
"Edit Channel": "Muokkaa kanavaa",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Kirjoiuta asiakirja tiedustelun avain",
"Enter domains separated by commas (e.g., example.com,site.org)": "Verkko-osoitteet erotetaan pilkulla (esim. esimerkki.com,sivu.org)",
"Enter Exa API Key": "Kirjoita Exa API -avain",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Kirjoita Github Raw -verkko-osoite",
"Enter Google PSE API Key": "Kirjoita Google PSE API -avain",
"Enter Google PSE Engine Id": "Kirjoita Google PSE -moottorin tunnus",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Kirjoita Mojeek Search API -avain",
"Enter Number of Steps (e.g. 50)": "Kirjoita askelten määrä (esim. 50)",
"Enter Perplexity API Key": "Aseta Perplexity API-avain",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Kirjoita välityspalvelimen verkko-osoite (esim. https://käyttäjä:salasana@host:portti)",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Kirjoita näytteistäjä (esim. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Kirjoita palvelimen isäntänimi",
"Enter server label": "Kirjoita palvelimen tunniste",
"Enter server port": "Kirjoita palvelimen portti",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Kirjoita lopetussekvenssi",
"Enter system prompt": "Kirjoita järjestelmäkehote",
"Enter system prompt here": "Kirjoita järjestelmäkehote tähän",
"Enter Tavily API Key": "Kirjoita Tavily API -avain",
+ "Enter Tavily Extract Depth": "",
"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": "Aseta aikakatkaisu sekunneissa",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Suodatin on nyt otettu käyttöön globaalisti",
"Filters": "Suodattimet",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Sormenjäljen väärentäminen havaittu: Alkukirjaimia ei voi käyttää avatarina. Käytetään oletusprofiilikuvaa.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Virtaa suuria ulkoisia vastausosia joustavasti",
"Focus chat input": "Fokusoi syöttökenttään",
"Folder deleted successfully": "Kansio poistettu onnistuneesti",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybridihaku",
"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.": "Vahvistan, että olen lukenut ja ymmärrän toimintani seuraukset. Olen tietoinen mielivaltaisen koodin suorittamiseen liittyvistä riskeistä ja olen varmistanut lähteen luotettavuuden.",
"ID": "Tunnus",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Sytytä uteliaisuus",
"Image": "Kuva",
"Image Compression": "Kuvan pakkaus",
@@ -649,6 +667,7 @@
"Label": "Tunniste",
"Landing Page Mode": "Etusivun tila",
"Language": "Kieli",
+ "Language Locales": "",
"Last Active": "Viimeksi aktiivinen",
"Last Modified": "Viimeksi muokattu",
"Last reply": "Viimeksi vastattu",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Tämän toiminnon käyttämiseksi viestiarviointi on otettava käyttöön",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Linkin luomisen jälkeen lähettämäsi viestit eivät ole jaettuja. Käyttäjät, joilla on verkko-osoite, voivat tarkastella jaettua keskustelua.",
"Min P": "Min P",
- "Minimum Score": "Vähimmäispisteet",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Putkistojen venttiilit",
"Plain text (.txt)": "Pelkkä teksti (.txt)",
"Playground": "Leikkipaikka",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Tarkista huolellisesti seuraavat varoitukset:",
"Please do not close the settings page while loading the model.": "Älä sulje asetussivua mallin latautuessa.",
"Please enter a prompt": "Kirjoita kehote",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Julkaisutiedot",
"Relevance": "Relevanssi",
+ "Relevance Threshold": "",
"Remove": "Poista",
"Remove Model": "Poista malli",
"Rename": "Nimeä uudelleen",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Rekisteröidy palveluun {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Kirjaudutaan sisään palveluun {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Lähde",
"Speech Playback Speed": "Puhetoiston nopeus",
"Speech recognition error: {{error}}": "Puheentunnistusvirhe: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Napauta keskeyttääksesi",
"Tasks": "Tehtävät",
"Tavily API Key": "Tavily API -avain",
+ "Tavily Extract Depth": "",
"Tell us more:": "Kerro lisää:",
"Temperature": "Lämpötila",
"Template": "Malli",
@@ -1179,6 +1203,7 @@
"variable": "muuttuja",
"variable to have them replaced with clipboard content.": "muuttuja korvataan leikepöydän sisällöllä.",
"Verify Connection": "Tarkista yhteys",
+ "Verify SSL Certificate": "",
"Version": "Versio",
"Version {{selectedVersion}} of {{totalVersions}}": "Versio {{selectedVersion}} / {{totalVersions}}",
"View Replies": "Näytä vastaukset",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Varoitus: Jupyter käyttö voi mahdollistaa mielivaltaiseen koodin suorittamiseen, mikä voi aiheuttaa tietoturvariskejä - käytä äärimmäisen varoen.",
"Web": "Web",
"Web API": "Web-API",
+ "Web Loader Engine": "",
"Web Search": "Verkkohaku",
"Web Search Engine": "Hakukoneet",
"Web Search in Chat": "Verkkohaku keskustelussa",
diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json
index 5085e746c8..5c9cb4cff5 100644
--- a/src/lib/i18n/locales/fr-CA/translation.json
+++ b/src/lib/i18n/locales/fr-CA/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Tous les documents",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Autoriser la suppression de l'historique de chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Autoriser les voix non locales",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "Autoriser l'emplacement de l'utilisateur",
"Allow Voice Interruption in Call": "Autoriser l'interruption vocale pendant un appel",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "et",
"and {{COUNT}} more": "",
"and create a new shared link.": "et créer un nouveau lien partagé.",
+ "Android": "",
"API Base URL": "URL de base de l'API",
"API Key": "Clé d'API",
"API Key created.": "Clé d'API générée.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Clé API Brave Search",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Bypasser la vérification SSL pour les sites web",
"Calendar": "",
"Call": "Appeler",
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL du chat copiée dans le presse-papiers\u00a0!",
"Copied to clipboard": "",
"Copy": "Copie",
+ "Copy Formatted Text": "",
"Copy last code block": "Copier le dernier bloc de code",
"Copy last response": "Copier la dernière réponse",
"Copy Link": "Copier le lien",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Description",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "N'a pas entièrement respecté les instructions",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Modifier",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Entrez l'URL brute de GitHub",
"Enter Google PSE API Key": "Entrez la clé API Google PSE",
"Enter Google PSE Engine Id": "Entrez l'identifiant du moteur Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Entrez le nombre de pas (par ex. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Entrez la séquence d'arrêt",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "Entrez la clé API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Le filtre est désormais activé globalement",
"Filters": "Filtres",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Spoofing détecté : impossible d'utiliser les initiales comme avatar. Retour à l'image de profil par défaut.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Diffuser de manière fluide de larges portions de réponses externes",
"Focus chat input": "Se concentrer sur le chat en entrée",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Recherche hybride",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Langue",
+ "Language Locales": "",
"Last Active": "Dernière activité",
"Last Modified": "Dernière modification",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Les messages que vous envoyez après avoir créé votre lien ne seront pas partagés. Les utilisateurs disposant de l'URL pourront voir le chat partagé.",
"Min P": "",
- "Minimum Score": "Score minimal",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Vannes de Pipelines",
"Plain text (.txt)": "Texte simple (.txt)",
"Playground": "Aire de jeux",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notes de publication",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Retirer",
"Remove Model": "Retirer le modèle",
"Rename": "Renommer",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Source",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Erreur de reconnaissance vocale\u00a0: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Appuyez pour interrompre",
"Tasks": "",
"Tavily API Key": "Clé API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Dites-nous en plus à ce sujet : ",
"Temperature": "Température",
"Template": "Template",
@@ -1179,6 +1203,7 @@
"variable": "variable",
"variable to have them replaced with clipboard content.": "variable pour qu'elles soient remplacées par le contenu du presse-papiers.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Version améliorée",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Recherche Web",
"Web Search Engine": "Moteur de recherche Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json
index e263a96dc9..1de002e5fd 100644
--- a/src/lib/i18n/locales/fr-FR/translation.json
+++ b/src/lib/i18n/locales/fr-FR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Tous les documents",
"All models deleted successfully": "Tous les modèles ont été supprimés avec succès",
+ "Allow Call": "",
"Allow Chat Controls": "Autoriser les contrôles de chat",
"Allow Chat Delete": "Autoriser la suppression de la conversation",
"Allow Chat Deletion": "Autoriser la suppression de l'historique de chat",
"Allow Chat Edit": "Autoriser la modification de la conversation",
"Allow File Upload": "Autoriser le téléchargement de fichiers",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Autoriser les voix non locales",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Autoriser le chat éphémère",
+ "Allow Text to Speech": "",
"Allow User Location": "Autoriser l'emplacement de l'utilisateur",
"Allow Voice Interruption in Call": "Autoriser l'interruption vocale pendant un appel",
"Allowed Endpoints": "Points de terminaison autorisés",
@@ -79,6 +83,7 @@
"and": "et",
"and {{COUNT}} more": "et {{COUNT}} autres",
"and create a new shared link.": "et créer un nouveau lien partagé.",
+ "Android": "",
"API Base URL": "URL de base de l'API",
"API Key": "Clé d'API",
"API Key created.": "Clé d'API générée.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Clé API Brave Search",
"By {{name}}": "Par {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Bypasser la vérification SSL pour les sites web",
"Calendar": "",
"Call": "Appeler",
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL du chat copié dans le presse-papiers !",
"Copied to clipboard": "Copié dans le presse-papiers",
"Copy": "Copier",
+ "Copy Formatted Text": "",
"Copy last code block": "Copier le dernier bloc de code",
"Copy last response": "Copier la dernière réponse",
"Copy Link": "Copier le lien",
@@ -303,6 +308,7 @@
"Deleted User": "Utilisateur supprimé",
"Describe your knowledge base and objectives": "Décrivez votre base de connaissances et vos objectifs",
"Description": "Description",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "N'a pas entièrement respecté les instructions",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "par ex. mon_filtre",
"e.g. my_tools": "par ex. mes_outils",
"e.g. Tools for performing various operations": "par ex. Outils pour effectuer diverses opérations",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Modifier",
"Edit Arena Model": "Modifier le modèle d'arène",
"Edit Channel": "Modifier le canal",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Entrez l'URL brute de GitHub",
"Enter Google PSE API Key": "Entrez la clé API Google PSE",
"Enter Google PSE Engine Id": "Entrez l'identifiant du moteur Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Entrez la clé API Mojeek",
"Enter Number of Steps (e.g. 50)": "Entrez le nombre d'étapes (par ex. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Entrez l'URL du proxy (par ex. https://use:password@host:port)",
"Enter reasoning effort": "Entrez l'effort de raisonnement",
"Enter Sampler (e.g. Euler a)": "Entrez le sampler (par ex. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Entrez l'hôte du serveur",
"Enter server label": "Entrez l'étiquette du serveur",
"Enter server port": "Entrez le port du serveur",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Entrez la séquence d'arrêt",
"Enter system prompt": "Entrez le prompt système",
"Enter system prompt here": "",
"Enter Tavily API Key": "Entrez la clé API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Le filtre est désormais activé globalement",
"Filters": "Filtres",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Spoofing détecté : impossible d'utiliser les initiales comme avatar. Retour à l'image de profil par défaut.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Streaming fluide de gros chunks de réponses externes",
"Focus chat input": "Mettre le focus sur le champ de chat",
"Folder deleted successfully": "Dossier supprimé avec succès",
@@ -589,6 +605,8 @@
"Hybrid Search": "Recherche hybride",
"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.": "Je reconnais avoir lu et compris les implications de mes actions. Je suis conscient des risques associés à l'exécution d'un code arbitraire et j'ai vérifié la fiabilité de la source.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Éveiller la curiosité",
"Image": "Image",
"Image Compression": "Compression d'image",
@@ -649,6 +667,7 @@
"Label": "Étiquette",
"Landing Page Mode": "Mode de la page d'accueil",
"Language": "Langue",
+ "Language Locales": "",
"Last Active": "Dernière activité",
"Last Modified": "Dernière modification",
"Last reply": "Déernière réponse",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "L'évaluation des messages doit être activée pour pouvoir utiliser cette fonctionnalité",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Les messages que vous envoyez après avoir créé votre lien ne seront pas partagés. Les utilisateurs disposant de l'URL pourront voir la conversation partagée.",
"Min P": "P min",
- "Minimum Score": "Score minimal",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Vannes de pipelines",
"Plain text (.txt)": "Texte (.txt)",
"Playground": "Playground",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Veuillez lire attentivement les avertissements suivants :",
"Please do not close the settings page while loading the model.": "Veuillez ne pas fermer les paramètres pendant le chargement du modèle.",
"Please enter a prompt": "Veuillez saisir un prompt",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notes de mise à jour",
"Relevance": "Pertinence",
+ "Relevance Threshold": "",
"Remove": "Retirer",
"Remove Model": "Retirer le modèle",
"Rename": "Renommer",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Inscrivez-vous à {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Connexion à {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Source",
"Speech Playback Speed": "Vitesse de lecture de la parole",
"Speech recognition error: {{error}}": "Erreur de reconnaissance vocale : {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Appuyez pour interrompre",
"Tasks": "Tâches",
"Tavily API Key": "Clé API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Dites-nous en plus à ce sujet : ",
"Temperature": "Température",
"Template": "Template",
@@ -1179,6 +1203,7 @@
"variable": "variable",
"variable to have them replaced with clipboard content.": "variable pour qu'elles soient remplacées par le contenu du presse-papiers.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Version:",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} de {{totalVersions}}",
"View Replies": "Voir les réponses",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Recherche Web",
"Web Search Engine": "Moteur de recherche Web",
"Web Search in Chat": "Recherche web depuis le chat",
diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json
index f01a437ae3..4b23fd46a0 100644
--- a/src/lib/i18n/locales/he-IL/translation.json
+++ b/src/lib/i18n/locales/he-IL/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "כל המסמכים",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "אפשר מחיקת צ'אט",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "וגם",
"and {{COUNT}} more": "",
"and create a new shared link.": "וצור קישור משותף חדש.",
+ "Android": "",
"API Base URL": "כתובת URL בסיסית ל-API",
"API Key": "מפתח API",
"API Key created.": "מפתח API נוצר.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "מפתח API של חיפוש אמיץ",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "עקוף אימות SSL עבור אתרים",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "העתקת כתובת URL של צ'אט משותף ללוח!",
"Copied to clipboard": "",
"Copy": "העתק",
+ "Copy Formatted Text": "",
"Copy last code block": "העתק את בלוק הקוד האחרון",
"Copy last response": "העתק את התגובה האחרונה",
"Copy Link": "העתק קישור",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "תיאור",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "לא עקב אחרי ההוראות באופן מלא",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ערוך",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "הזן כתובת URL של Github Raw",
"Enter Google PSE API Key": "הזן מפתח API של Google PSE",
"Enter Google PSE Engine Id": "הזן את מזהה מנוע PSE של Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "הזן מספר שלבים (למשל 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "הזן רצף עצירה",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "התגלתה הזיית טביעת אצבע: לא ניתן להשתמש בראשי תיבות כאווטאר. משתמש בתמונת פרופיל ברירת מחדל.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "שידור נתונים חיצוניים בקצב רציף",
"Focus chat input": "מיקוד הקלט לצ'אט",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "שפה",
+ "Language Locales": "",
"Last Active": "פעיל לאחרונה",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "הודעות שתשלח לאחר יצירת הקישור לא ישותפו. משתמשים עם כתובת האתר יוכלו לצפות בצ'אט המשותף.",
"Min P": "",
- "Minimum Score": "ציון מינימלי",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "צינורות שסתומים",
"Plain text (.txt)": "טקסט פשוט (.txt)",
"Playground": "אזור משחקים",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "הערות שחרור",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "הסר",
"Remove Model": "הסר מודל",
"Rename": "שנה שם",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "מקור",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "שגיאת תחקור שמע: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "תרשמו יותר:",
"Temperature": "טמפרטורה",
"Template": "תבנית",
@@ -1179,6 +1203,7 @@
"variable": "משתנה",
"variable to have them replaced with clipboard content.": "משתנה להחליפו ב- clipboard תוכן.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "גרסה",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "רשת",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "חיפוש באינטרנט",
"Web Search Engine": "מנוע חיפוש באינטרנט",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json
index 7f58554bc6..5efe1d4610 100644
--- a/src/lib/i18n/locales/hi-IN/translation.json
+++ b/src/lib/i18n/locales/hi-IN/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "सभी डॉक्यूमेंट्स",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "चैट हटाने की अनुमति दें",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "और",
"and {{COUNT}} more": "",
"and create a new shared link.": "और एक नई साझा लिंक बनाएं.",
+ "Android": "",
"API Base URL": "एपीआई बेस यूआरएल",
"API Key": "एपीआई कुंजी",
"API Key created.": "एपीआई कुंजी बनाई गई",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave सर्च एपीआई कुंजी",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "वेबसाइटों के लिए SSL सुनिश्चिती को छोड़ें",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "साझा चैट URL को क्लिपबोर्ड पर कॉपी किया गया!",
"Copied to clipboard": "",
"Copy": "कॉपी",
+ "Copy Formatted Text": "",
"Copy last code block": "अंतिम कोड ब्लॉक कॉपी करें",
"Copy last response": "अंतिम प्रतिक्रिया कॉपी करें",
"Copy Link": "लिंक को कॉपी करें",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "विवरण",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "निर्देशों का पूरी तरह से पालन नहीं किया",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "संपादित करें",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github Raw URL दर्ज करें",
"Enter Google PSE API Key": "Google PSE API कुंजी दर्ज करें",
"Enter Google PSE Engine Id": "Google PSE इंजन आईडी दर्ज करें",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "चरणों की संख्या दर्ज करें (उदा. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "स्टॉप अनुक्रम दर्ज करें",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "फ़िंगरप्रिंट स्पूफ़िंग का पता चला: प्रारंभिक अक्षरों को अवतार के रूप में उपयोग करने में असमर्थ। प्रोफ़ाइल छवि को डिफ़ॉल्ट पर डिफ़ॉल्ट किया जा रहा है.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "बड़े बाह्य प्रतिक्रिया खंडों को तरल रूप से प्रवाहित करें",
"Focus chat input": "चैट इनपुट पर फ़ोकस करें",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "भाषा",
+ "Language Locales": "",
"Last Active": "पिछली बार सक्रिय",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "अपना लिंक बनाने के बाद आपके द्वारा भेजे गए संदेश साझा नहीं किए जाएंगे। यूआरएल वाले यूजर्स शेयर की गई चैट देख पाएंगे।",
"Min P": "",
- "Minimum Score": "न्यूनतम स्कोर",
"Mirostat": "मिरोस्टा",
"Mirostat Eta": "मिरोस्टा ईटा",
"Mirostat Tau": "मिरोस्तात ताऊ",
@@ -833,6 +851,8 @@
"Pipelines Valves": "पाइपलाइन वाल्व",
"Plain text (.txt)": "सादा पाठ (.txt)",
"Playground": "कार्यक्षेत्र",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "रिलीज नोट्स",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "हटा दें",
"Remove Model": "मोडेल हटाएँ",
"Rename": "नाम बदलें",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "स्रोत",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "वाक् पहचान त्रुटि: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "हमें और अधिक बताएँ:",
"Temperature": "टेंपेरेचर",
"Template": "टेम्पलेट",
@@ -1179,6 +1203,7 @@
"variable": "वेरिएबल",
"variable to have them replaced with clipboard content.": "उन्हें क्लिपबोर्ड सामग्री से बदलने के लिए वेरिएबल।",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "संस्करण",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "वेब",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "वेब खोज",
"Web Search Engine": "वेब खोज इंजन",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json
index 0891770cad..3ce092c71b 100644
--- a/src/lib/i18n/locales/hr-HR/translation.json
+++ b/src/lib/i18n/locales/hr-HR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Svi dokumenti",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Dopusti brisanje razgovora",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Dopusti nelokalne glasove",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "i",
"and {{COUNT}} more": "",
"and create a new shared link.": "i stvorite novu dijeljenu vezu.",
+ "Android": "",
"API Base URL": "Osnovni URL API-ja",
"API Key": "API ključ",
"API Key created.": "API ključ je stvoren.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave tražilica - API ključ",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Zaobiđi SSL provjeru za web stranice",
"Calendar": "",
"Call": "Poziv",
"Call feature is not supported when using Web STT engine": "Značajka poziva nije podržana kada se koristi Web STT mehanizam",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL dijeljenog razgovora kopiran u međuspremnik!",
"Copied to clipboard": "",
"Copy": "Kopiraj",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopiraj zadnji blok koda",
"Copy last response": "Kopiraj zadnji odgovor",
"Copy Link": "Kopiraj vezu",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Opis",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nije u potpunosti slijedio upute",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Uredi",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Unesite Github sirovi URL",
"Enter Google PSE API Key": "Unesite Google PSE API ključ",
"Enter Google PSE Engine Id": "Unesite ID Google PSE motora",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Unesite broj koraka (npr. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Unesite sekvencu zaustavljanja",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Otkriveno krivotvorenje otisaka prstiju: Nemoguće je koristiti inicijale kao avatar. Postavljanje na zadanu profilnu sliku.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Glavno strujanje velikih vanjskih dijelova odgovora",
"Focus chat input": "Fokusiraj unos razgovora",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hibridna pretraga",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Jezik",
+ "Language Locales": "",
"Last Active": "Zadnja aktivnost",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Poruke koje pošaljete nakon stvaranja veze neće se dijeliti. Korisnici s URL-om moći će vidjeti zajednički chat.",
"Min P": "",
- "Minimum Score": "Minimalna ocjena",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Ventili za cjevovode",
"Plain text (.txt)": "Običan tekst (.txt)",
"Playground": "Igralište",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Bilješke o izdanju",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Ukloni",
"Remove Model": "Ukloni model",
"Rename": "Preimenuj",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Izvor",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Pogreška prepoznavanja govora: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "Recite nam više:",
"Temperature": "Temperatura",
"Template": "Predložak",
@@ -1179,6 +1203,7 @@
"variable": "varijabla",
"variable to have them replaced with clipboard content.": "varijabla za zamjenu sadržajem međuspremnika.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Verzija",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Internet pretraga",
"Web Search Engine": "Web tražilica",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json
index a8963643c7..d4daf78f2c 100644
--- a/src/lib/i18n/locales/hu-HU/translation.json
+++ b/src/lib/i18n/locales/hu-HU/translation.json
@@ -57,13 +57,17 @@
"All": "Mind",
"All Documents": "Minden dokumentum",
"All models deleted successfully": "Minden modell sikeresen törölve",
+ "Allow Call": "",
"Allow Chat Controls": "Csevegésvezérlők engedélyezése",
"Allow Chat Delete": "Csevegés törlésének engedélyezése",
"Allow Chat Deletion": "Beszélgetések törlésének engedélyezése",
"Allow Chat Edit": "Csevegés szerkesztésének engedélyezése",
"Allow File Upload": "Fájlfeltöltés engedélyezése",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Nem helyi hangok engedélyezése",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Ideiglenes beszélgetés engedélyezése",
+ "Allow Text to Speech": "",
"Allow User Location": "Felhasználói helyzet engedélyezése",
"Allow Voice Interruption in Call": "Hang megszakítás engedélyezése hívás közben",
"Allowed Endpoints": "Engedélyezett végpontok",
@@ -79,6 +83,7 @@
"and": "és",
"and {{COUNT}} more": "és még {{COUNT}} db",
"and create a new shared link.": "és hozz létre egy új megosztott linket.",
+ "Android": "",
"API Base URL": "API alap URL",
"API Key": "API kulcs",
"API Key created.": "API kulcs létrehozva.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API kulcs",
"By {{name}}": "Készítette: {{name}}",
"Bypass Embedding and Retrieval": "Beágyazás és visszakeresés kihagyása",
- "Bypass SSL verification for Websites": "SSL ellenőrzés kihagyása weboldalakhoz",
"Calendar": "Naptár",
"Call": "Hívás",
"Call feature is not supported when using Web STT engine": "A hívás funkció nem támogatott Web STT motor használatakor",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Megosztott beszélgetés URL másolva a vágólapra!",
"Copied to clipboard": "Vágólapra másolva",
"Copy": "Másolás",
+ "Copy Formatted Text": "",
"Copy last code block": "Utolsó kódblokk másolása",
"Copy last response": "Utolsó válasz másolása",
"Copy Link": "Link másolása",
@@ -303,6 +308,7 @@
"Deleted User": "Felhasználó törölve",
"Describe your knowledge base and objectives": "Írd le a tudásbázisodat és céljaidat",
"Description": "Leírás",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nem követte teljesen az utasításokat",
"Direct": "Közvetlen",
"Direct Connections": "Közvetlen kapcsolatok",
@@ -358,6 +364,7 @@
"e.g. my_filter": "pl. az_en_szűrőm",
"e.g. my_tools": "pl. az_en_eszkozeim",
"e.g. Tools for performing various operations": "pl. Eszközök különböző műveletek elvégzéséhez",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Szerkesztés",
"Edit Arena Model": "Arena modell szerkesztése",
"Edit Channel": "Csatorna szerkesztése",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Add meg a dokumentum intelligencia kulcsot",
"Enter domains separated by commas (e.g., example.com,site.org)": "Add meg a domaineket vesszővel elválasztva (pl. example.com,site.org)",
"Enter Exa API Key": "Add meg az Exa API kulcsot",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Add meg a Github Raw URL-t",
"Enter Google PSE API Key": "Add meg a Google PSE API kulcsot",
"Enter Google PSE Engine Id": "Add meg a Google PSE motor azonosítót",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Add meg a Mojeek Search API kulcsot",
"Enter Number of Steps (e.g. 50)": "Add meg a lépések számát (pl. 50)",
"Enter Perplexity API Key": "Add meg a Perplexity API kulcsot",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Add meg a proxy URL-t (pl. https://user:password@host:port)",
"Enter reasoning effort": "Add meg az érvelési erőfeszítést",
"Enter Sampler (e.g. Euler a)": "Add meg a mintavételezőt (pl. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Add meg a szerver hosztot",
"Enter server label": "Add meg a szerver címkét",
"Enter server port": "Add meg a szerver portot",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Add meg a leállítási szekvenciát",
"Enter system prompt": "Add meg a rendszer promptot",
"Enter system prompt here": "Írd ide a rendszer promptot",
"Enter Tavily API Key": "Add meg a Tavily API kulcsot",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Add meg a WebUI nyilvános URL-jét. Ez az URL lesz használva az értesítésekben lévő linkek generálásához.",
"Enter Tika Server URL": "Add meg a Tika szerver URL-t",
"Enter timeout in seconds": "Add meg az időtúllépést másodpercekben",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "A szűrő globálisan engedélyezve",
"Filters": "Szűrők",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Ujjlenyomat hamisítás észlelve: Nem lehet a kezdőbetűket avatárként használni. Alapértelmezett profilkép használata.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Nagy külső válasz darabok folyamatos streamelése",
"Focus chat input": "Chat bevitel fókuszálása",
"Folder deleted successfully": "Mappa sikeresen törölve",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hibrid keresés",
"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.": "Elismerem, hogy elolvastam és megértem a cselekedetem következményeit. Tisztában vagyok a tetszőleges kód végrehajtásával járó kockázatokkal, és ellenőriztem a forrás megbízhatóságát.",
"ID": "Azonosító",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Kíváncsiság felkeltése",
"Image": "Kép",
"Image Compression": "Képtömörítés",
@@ -649,6 +667,7 @@
"Label": "Címke",
"Landing Page Mode": "Kezdőlap mód",
"Language": "Nyelv",
+ "Language Locales": "",
"Last Active": "Utoljára aktív",
"Last Modified": "Utoljára módosítva",
"Last reply": "Utolsó válasz",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Az üzenetértékelésnek engedélyezve kell lennie ehhez a funkcióhoz",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "A link létrehozása után küldött üzenetei nem lesznek megosztva. A URL-lel rendelkező felhasználók megtekinthetik a megosztott beszélgetést.",
"Min P": "Min P",
- "Minimum Score": "Minimum pontszám",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Folyamat szelepek",
"Plain text (.txt)": "Egyszerű szöveg (.txt)",
"Playground": "Játszótér",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Kérjük, gondosan tekintse át a következő figyelmeztetéseket:",
"Please do not close the settings page while loading the model.": "Kérjük, ne zárja be a beállítások oldalt a modell betöltése közben.",
"Please enter a prompt": "Kérjük, adjon meg egy promptot",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Kiadási jegyzetek",
"Relevance": "Relevancia",
+ "Relevance Threshold": "",
"Remove": "Eltávolítás",
"Remove Model": "Modell eltávolítása",
"Rename": "Átnevezés",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Regisztráció ide: {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Bejelentkezés ide: {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Forrás",
"Speech Playback Speed": "Beszéd lejátszási sebesség",
"Speech recognition error: {{error}}": "Beszédfelismerési hiba: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Koppintson a megszakításhoz",
"Tasks": "Feladatok",
"Tavily API Key": "Tavily API kulcs",
+ "Tavily Extract Depth": "",
"Tell us more:": "Mondjon többet:",
"Temperature": "Hőmérséklet",
"Template": "Sablon",
@@ -1179,6 +1203,7 @@
"variable": "változó",
"variable to have them replaced with clipboard content.": "változó, hogy a vágólap tartalmával helyettesítse őket.",
"Verify Connection": "Kapcsolat ellenőrzése",
+ "Verify SSL Certificate": "",
"Version": "Verzió",
"Version {{selectedVersion}} of {{totalVersions}}": "{{selectedVersion}}. verzió a {{totalVersions}}-ból",
"View Replies": "Válaszok megtekintése",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Figyelmeztetés: A Jupyter végrehajtás lehetővé teszi a tetszőleges kód végrehajtását, ami súlyos biztonsági kockázatot jelent – óvatosan folytassa.",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Webes keresés",
"Web Search Engine": "Webes keresőmotor",
"Web Search in Chat": "Webes keresés a csevegésben",
diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json
index e607fef3ce..c8c6eb4822 100644
--- a/src/lib/i18n/locales/id-ID/translation.json
+++ b/src/lib/i18n/locales/id-ID/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Semua Dokumen",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Izinkan Penghapusan Obrolan",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Izinkan suara non-lokal",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "Izinkan Lokasi Pengguna",
"Allow Voice Interruption in Call": "Izinkan Gangguan Suara dalam Panggilan",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "dan",
"and {{COUNT}} more": "",
"and create a new shared link.": "dan membuat tautan bersama baru.",
+ "Android": "",
"API Base URL": "URL Dasar API",
"API Key": "Kunci API",
"API Key created.": "Kunci API dibuat.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Kunci API Pencarian Berani",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Lewati verifikasi SSL untuk Situs Web",
"Calendar": "",
"Call": "Panggilan",
"Call feature is not supported when using Web STT engine": "Fitur panggilan tidak didukung saat menggunakan mesin Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Menyalin URL obrolan bersama ke papan klip!",
"Copied to clipboard": "",
"Copy": "Menyalin",
+ "Copy Formatted Text": "",
"Copy last code block": "Salin blok kode terakhir",
"Copy last response": "Salin tanggapan terakhir",
"Copy Link": "Salin Tautan",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Deskripsi",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Tidak sepenuhnya mengikuti instruksi",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Edit",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Masukkan URL Mentah Github",
"Enter Google PSE API Key": "Masukkan Kunci API Google PSE",
"Enter Google PSE Engine Id": "Masukkan Id Mesin Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Masukkan Jumlah Langkah (mis. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Masukkan urutan berhenti",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "Masukkan Kunci API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter sekarang diaktifkan secara global",
"Filters": "Filter",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Pemalsuan sidik jari terdeteksi: Tidak dapat menggunakan inisial sebagai avatar. Default ke gambar profil default.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Mengalirkan potongan respons eksternal yang besar dengan lancar",
"Focus chat input": "Memfokuskan input obrolan",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Pencarian Hibrida",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Bahasa",
+ "Language Locales": "",
"Last Active": "Terakhir Aktif",
"Last Modified": "Terakhir Dimodifikasi",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Pesan yang Anda kirim setelah membuat tautan tidak akan dibagikan. Pengguna yang memiliki URL tersebut akan dapat melihat obrolan yang dibagikan.",
"Min P": "",
- "Minimum Score": "Skor Minimum",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Katup Saluran Pipa",
"Plain text (.txt)": "Teks biasa (.txt)",
"Playground": "Taman bermain",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Catatan Rilis",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Hapus",
"Remove Model": "Hapus Model",
"Rename": "Ganti nama",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Sumber",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Kesalahan pengenalan suara: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Ketuk untuk menyela",
"Tasks": "",
"Tavily API Key": "Kunci API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Beri tahu kami lebih lanjut:",
"Temperature": "Suhu",
"Template": "Templat",
@@ -1179,6 +1203,7 @@
"variable": "variabel",
"variable to have them replaced with clipboard content.": "variabel untuk diganti dengan konten papan klip.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versi",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Pencarian Web",
"Web Search Engine": "Mesin Pencari Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json
index 35a2b9e6b5..516c68a10e 100644
--- a/src/lib/i18n/locales/ie-GA/translation.json
+++ b/src/lib/i18n/locales/ie-GA/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Gach Doiciméad",
"All models deleted successfully": "Scriosadh na múnlaí go léir go rathúil",
+ "Allow Call": "",
"Allow Chat Controls": "Ceadaigh Rialuithe Comhrá",
"Allow Chat Delete": "Ceadaigh Comhrá a Scriosadh",
"Allow Chat Deletion": "Cead Scriosadh Comhrá",
"Allow Chat Edit": "Ceadaigh Eagarthóireacht Comhrá",
"Allow File Upload": "Ceadaigh Uaslódáil Comhad",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Lig guthanna neamh-áitiúla",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Cead Comhrá Sealadach",
+ "Allow Text to Speech": "",
"Allow User Location": "Ceadaigh Suíomh Úsáideora",
"Allow Voice Interruption in Call": "Ceadaigh Briseadh Guth i nGlao",
"Allowed Endpoints": "Críochphointí Ceadaithe",
@@ -79,6 +83,7 @@
"and": "agus",
"and {{COUNT}} more": "agus {{COUNT}} eile",
"and create a new shared link.": "agus cruthaigh nasc nua roinnte.",
+ "Android": "",
"API Base URL": "URL Bonn API",
"API Key": "Eochair API",
"API Key created.": "Cruthaíodh Eochair API.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Eochair API Cuardaigh Brave",
"By {{name}}": "Le {{name}}",
"Bypass Embedding and Retrieval": "Seachbhóthar Leabú agus Aisghabháil",
- "Bypass SSL verification for Websites": "Seachbhachtar fíorú SSL do Láithreáin",
"Calendar": "Féilire",
"Call": "Glaoigh",
"Call feature is not supported when using Web STT engine": "Ní thacaítear le gné glaonna agus inneall Web STT á úsáid",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Cóipeáladh URL an chomhrá roinnte chuig an ngearrthaisce!",
"Copied to clipboard": "Cóipeáilte go gear",
"Copy": "Cóipeáil",
+ "Copy Formatted Text": "",
"Copy last code block": "Cóipeáil bloc cód deireanach",
"Copy last response": "Cóipeáil an fhreagairt",
"Copy Link": "Cóipeáil Nasc",
@@ -303,6 +308,7 @@
"Deleted User": "Úsáideoir Scriosta",
"Describe your knowledge base and objectives": "Déan cur síos ar do bhunachar eolais agus do chuspóirí",
"Description": "Cur síos",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Níor lean sé treoracha go hiomlán",
"Direct": "",
"Direct Connections": "Naisc Dhíreacha",
@@ -358,6 +364,7 @@
"e.g. my_filter": "m.sh. mo_scagaire",
"e.g. my_tools": "m.sh. mo_uirlisí",
"e.g. Tools for performing various operations": "m.sh. Uirlisí chun oibríochtaí éagsúla a dhéanamh",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Cuir in eagar",
"Edit Arena Model": "Cuir Samhail Airéine in Eagar",
"Edit Channel": "Cuir Cainéal in Eagar",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Iontráil Eochair Faisnéise Doiciméad",
"Enter domains separated by commas (e.g., example.com,site.org)": "Cuir isteach fearainn atá scartha le camóga (m.sh., example.com,site.org)",
"Enter Exa API Key": "Cuir isteach Eochair Exa API",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Cuir isteach URL Github Raw",
"Enter Google PSE API Key": "Cuir isteach Eochair API Google PSE",
"Enter Google PSE Engine Id": "Cuir isteach ID Inneall Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Cuir isteach Eochair API Cuardach Mojeek",
"Enter Number of Steps (e.g. 50)": "Iontráil Líon na gCéimeanna (m.sh. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Cuir isteach URL seachfhreastalaí (m.sh. https://user:password@host:port)",
"Enter reasoning effort": "Cuir isteach iarracht réasúnaíochta",
"Enter Sampler (e.g. Euler a)": "Cuir isteach Sampler (m.sh. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Cuir isteach óstach freastalaí",
"Enter server label": "Cuir isteach lipéad freastalaí",
"Enter server port": "Cuir isteach port freastalaí",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Cuir isteach seicheamh stad",
"Enter system prompt": "Cuir isteach an chóras leid",
"Enter system prompt here": "",
"Enter Tavily API Key": "Cuir isteach eochair API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "Cuir isteach an t-am istigh i soicindí",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Tá an scagaire cumasaithe go domhanda anois",
"Filters": "Scagairí",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Braithíodh spoofing méarloirg: Ní féidir teachlitreacha a úsáid mar avatar. Réamhshocrú ar íomhá próifíle réamhshocraithe.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Sruthaigh codanna móra freagartha seachtracha go sreabhach",
"Focus chat input": "Ionchur comhrá fócas",
"Folder deleted successfully": "Scriosadh an fillteán go rathúil",
@@ -589,6 +605,8 @@
"Hybrid Search": "Cuardach Hibrideach",
"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.": "Admhaím gur léigh mé agus tuigim impleachtaí mo ghníomhaíochta. Táim ar an eolas faoi na rioscaí a bhaineann le cód treallach a fhorghníomhú agus tá iontaofacht na foinse fíoraithe agam.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Las fiosracht",
"Image": "Íomhá",
"Image Compression": "Comhbhrú Íomhá",
@@ -649,6 +667,7 @@
"Label": "Lipéad",
"Landing Page Mode": "Mód Leathanach Tuirlingthe",
"Language": "Teanga",
+ "Language Locales": "",
"Last Active": "Gníomhach Deiridh",
"Last Modified": "Athraithe Deiridh",
"Last reply": "Freagra deiridh",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Ba cheart rátáil teachtaireachta a chumasú chun an ghné seo a úsáid",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Ní roinnfear teachtaireachtaí a sheolann tú tar éis do nasc a chruthú. Beidh úsáideoirí leis an URL in ann féachaint ar an gcomhrá roinnte.",
"Min P": "Min P",
- "Minimum Score": "Scór Íosta",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Comhlaí Píblíne",
"Plain text (.txt)": "Téacs simplí (.txt)",
"Playground": "Clós súgartha",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Déan athbhreithniú cúramach ar na rabhaidh seo a leanas le do thoil:",
"Please do not close the settings page while loading the model.": "Ná dún leathanach na socruithe agus an tsamhail á luchtú.",
"Please enter a prompt": "Cuir isteach leid",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Nótaí Scaoilte",
"Relevance": "Ábharthacht",
+ "Relevance Threshold": "",
"Remove": "Bain",
"Remove Model": "Bain Múnla",
"Rename": "Athainmnigh",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Cláraigh le {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Ag síniú isteach ar {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Foinse",
"Speech Playback Speed": "Luas Athsheinm Urlabhra",
"Speech recognition error: {{error}}": "Earráid aitheantais cainte: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Tapáil chun cur isteach",
"Tasks": "Tascanna",
"Tavily API Key": "Eochair API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Inis dúinn níos mó:",
"Temperature": "Teocht",
"Template": "Teimpléad",
@@ -1179,6 +1203,7 @@
"variable": "athraitheach",
"variable to have them replaced with clipboard content.": "athróg chun ábhar gearrthaisce a chur in ionad iad.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Leagan",
"Version {{selectedVersion}} of {{totalVersions}}": "Leagan {{selectedVersion}} de {{totalVersions}}",
"View Replies": "Féach ar Fhreagraí",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Rabhadh: Trí fhorghníomhú Jupyter is féidir cód a fhorghníomhú go treallach, rud a chruthaíonn mór-rioscaí slándála - bí fíorchúramach.",
"Web": "Gréasán",
"Web API": "API Gréasáin",
+ "Web Loader Engine": "",
"Web Search": "Cuardach Gréasáin",
"Web Search Engine": "Inneall Cuardaigh Gréasáin",
"Web Search in Chat": "Cuardach Gréasáin i gComhrá",
diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json
index 75500a9ad3..f4e8492755 100644
--- a/src/lib/i18n/locales/it-IT/translation.json
+++ b/src/lib/i18n/locales/it-IT/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Tutti i documenti",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Consenti l'eliminazione della chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "e",
"and {{COUNT}} more": "",
"and create a new shared link.": "e crea un nuovo link condiviso.",
+ "Android": "",
"API Base URL": "URL base API",
"API Key": "Chiave API",
"API Key created.": "Chiave API creata.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Chiave API di ricerca Brave",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Aggira la verifica SSL per i siti web",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL della chat condivisa copiato negli appunti!",
"Copied to clipboard": "",
"Copy": "Copia",
+ "Copy Formatted Text": "",
"Copy last code block": "Copia ultimo blocco di codice",
"Copy last response": "Copia ultima risposta",
"Copy Link": "Copia link",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Descrizione",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Non ha seguito completamente le istruzioni",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Modifica",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Immettere l'URL grezzo di Github",
"Enter Google PSE API Key": "Inserisci la chiave API PSE di Google",
"Enter Google PSE Engine Id": "Inserisci l'ID motore PSE di Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Inserisci il numero di passaggi (ad esempio 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Inserisci la sequenza di arresto",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Rilevato spoofing delle impronte digitali: impossibile utilizzare le iniziali come avatar. Ripristino all'immagine del profilo predefinita.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Trasmetti in modo fluido blocchi di risposta esterni di grandi dimensioni",
"Focus chat input": "Metti a fuoco l'input della chat",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Ricerca ibrida",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Lingua",
+ "Language Locales": "",
"Last Active": "Ultima attività",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "I messaggi inviati dopo la creazione del link non verranno condivisi. Gli utenti con l'URL saranno in grado di visualizzare la chat condivisa.",
"Min P": "",
- "Minimum Score": "Punteggio minimo",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Valvole per tubazioni",
"Plain text (.txt)": "Testo normale (.txt)",
"Playground": "Terreno di gioco",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Note di rilascio",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Rimuovi",
"Remove Model": "Rimuovi modello",
"Rename": "Rinomina",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Fonte",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Errore di riconoscimento vocale: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "Raccontaci di più:",
"Temperature": "Temperatura",
"Template": "Modello",
@@ -1179,6 +1203,7 @@
"variable": "variabile",
"variable to have them replaced with clipboard content.": "variabile per farli sostituire con il contenuto degli appunti.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versione",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "Ricerca sul Web",
"Web Search Engine": "Motore di ricerca Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json
index 148fb17f77..def6a39791 100644
--- a/src/lib/i18n/locales/ja-JP/translation.json
+++ b/src/lib/i18n/locales/ja-JP/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "全てのドキュメント",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "チャットの削除を許可",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "ローカル以外のボイスを許可",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "一時的なチャットを許可",
+ "Allow Text to Speech": "",
"Allow User Location": "ユーザーロケーションの許可",
"Allow Voice Interruption in Call": "通話中に音声の割り込みを許可",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "および",
"and {{COUNT}} more": "",
"and create a new shared link.": "し、新しい共有リンクを作成します。",
+ "Android": "",
"API Base URL": "API ベース URL",
"API Key": "API キー",
"API Key created.": "API キーが作成されました。",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search APIキー",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "SSL 検証をバイパスする",
"Calendar": "",
"Call": "コール",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "共有チャットURLをクリップボードにコピーしました!",
"Copied to clipboard": "クリップボードにコピーしました。",
"Copy": "コピー",
+ "Copy Formatted Text": "",
"Copy last code block": "最後のコードブロックをコピー",
"Copy last response": "最後の応答をコピー",
"Copy Link": "リンクをコピー",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "説明",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "説明に沿って操作していませんでした",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "編集",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github Raw URLを入力",
"Enter Google PSE API Key": "Google PSE APIキーの入力",
"Enter Google PSE Engine Id": "Google PSE エンジン ID を入力します。",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "ステップ数を入力してください (例: 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "サンプラーを入力してください(e.g. Euler a)。",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "ストップシーケンスを入力してください",
"Enter system prompt": "システムプロンプト入力",
"Enter system prompt here": "",
"Enter Tavily API Key": "Tavily API Keyを入力してください。",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "グローバルフィルタが有効です。",
"Filters": "フィルター",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "指紋のなりすましが検出されました: イニシャルをアバターとして使用できません。デフォルトのプロファイル画像にデフォルト設定されています。",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "大規模な外部応答チャンクをスムーズにストリーミングする",
"Focus chat input": "チャット入力をフォーカス",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "ランディングページモード",
"Language": "言語",
+ "Language Locales": "",
"Last Active": "最終アクティブ",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "最低スコア",
"Mirostat": "ミロスタット",
"Mirostat Eta": "ミロスタット Eta",
"Mirostat Tau": "ミロスタット Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "パイプラインバルブ",
"Plain text (.txt)": "プレーンテキスト (.txt)",
"Playground": "プレイグラウンド",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "リリースノート",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "削除",
"Remove Model": "モデルを削除",
"Rename": "名前を変更",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "ソース",
"Speech Playback Speed": "音声の再生速度",
"Speech recognition error: {{error}}": "音声認識エラー: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "もっと話してください:",
"Temperature": "温度",
"Template": "テンプレート",
@@ -1179,6 +1203,7 @@
"variable": "変数",
"variable to have them replaced with clipboard content.": "クリップボードの内容に置き換える変数。",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "バージョン",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "ウェブ",
"Web API": "ウェブAPI",
+ "Web Loader Engine": "",
"Web Search": "ウェブ検索",
"Web Search Engine": "ウェブ検索エンジン",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json
index e1d5f28b62..a1d6f2f301 100644
--- a/src/lib/i18n/locales/ka-GE/translation.json
+++ b/src/lib/i18n/locales/ka-GE/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "ყველა დოკუმენტი",
"All models deleted successfully": "ყველა მოდელი წარმატებით წაიშალა",
+ "Allow Call": "",
"Allow Chat Controls": "ჩატის კონტროლის ელემენტების დაშვება",
"Allow Chat Delete": "ჩატის წაშლის დაშვება",
"Allow Chat Deletion": "ჩატის წაშლის დაშვება",
"Allow Chat Edit": "ჩატის ჩასწორების დაშვება",
"Allow File Upload": "ფაილის ატვირთვის დაშვება",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "არალოკალური ხმების დაშვება",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "დროებითი ჩატის დაშვება",
+ "Allow Text to Speech": "",
"Allow User Location": "მომხმარებლის მდებარეობის დაშვება",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "დაშვებული ბოლოწერტილები",
@@ -79,6 +83,7 @@
"and": "და",
"and {{COUNT}} more": "და კიდევ {{COUNT}}",
"and create a new shared link.": "და ახალი გაზიარებული ბმულის შექმნა.",
+ "Android": "",
"API Base URL": "API-ის საბაზისო URL",
"API Key": "API გასაღები",
"API Key created.": "API გასაღები შეიქმნა.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API-ის გასაღები",
"By {{name}}": "ავტორი {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "SSL-ის ვერიფიკაციის გააუქმება ვებსაიტებზე",
"Calendar": "კალენდარი",
"Call": "ზარი",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "გაზიარებული ჩატის ბმული დაკოპირდა ბუფერში!",
"Copied to clipboard": "დაკოპირდა გაცვლის ბაფერში",
"Copy": "კოპირება",
+ "Copy Formatted Text": "",
"Copy last code block": "ბოლო კოდის ბლოკის კოპირება",
"Copy last response": "ბოლო პასუხის კოპირება",
"Copy Link": "ბმულის კოპირება",
@@ -303,6 +308,7 @@
"Deleted User": "წაშლილი მომხმარებელი",
"Describe your knowledge base and objectives": "",
"Description": "აღწერა",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ინსტრუქციებს სრულად არ მივყევი",
"Direct": "",
"Direct Connections": "პირდაპირი მიერთება",
@@ -358,6 +364,7 @@
"e.g. my_filter": "მაგ: ჩემი_ფილტრი",
"e.g. my_tools": "მაგ: ჩემი_ხელსაწყოები",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ჩასწორება",
"Edit Arena Model": "არენის მოდელის ჩასწორება",
"Edit Channel": "არხის ჩასწორება",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "შეიყვანეთ Github Raw URL",
"Enter Google PSE API Key": "შეიყვანეთ Google PSE API-ის გასაღები",
"Enter Google PSE Engine Id": "შეიყვანეთ Google PSE ძრავის ID",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "შეიყვანეთ ნაბიჯების რაოდენობა (მაგ. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "შეიყვანეთ გაჩერების მიმდევრობა",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "ფილტრები",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "აღმოჩენილია ანაბეჭდის გაყალბება: ინიციალების გამოყენება ავატარად შეუძლებელია. გამოყენებული იქნეა ნაგულისხმევი პროფილის სურათი.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "დიდი გარე პასუხის ფრაგმენტების გლუვად დასტრიმვა",
"Focus chat input": "ჩატში შეყვანის ფოკუსი",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "გამოსახულება",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "ჭდე",
"Landing Page Mode": "",
"Language": "ენა",
+ "Language Locales": "",
"Last Active": "ბოლოს აქტიური",
"Last Modified": "ბოლო ცვლილება",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "მინიმალური ქულა",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "მილსადენის სარქველები",
"Plain text (.txt)": "უბრალო ტექსტი (.txt)",
"Playground": "საცდელი ფუნქციები",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "გამოცემის შენიშვნები",
"Relevance": "შესაბამისობა",
+ "Relevance Threshold": "",
"Remove": "წაშლა",
"Remove Model": "მოდელის წაშლა",
"Rename": "სახელის გადარქმევა",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "წყარო",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "საუბრის ამოცნობის შეცდომა: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "ამოცანები",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "გვითხარით მეტი:",
"Temperature": "ტემპერატურა",
"Template": "ნიმუში",
@@ -1179,6 +1203,7 @@
"variable": "ცვლადი",
"variable to have them replaced with clipboard content.": "ცვლადი მისი ბუფერის მნიშვნელობით ჩასანაცვლებლად.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "ვერსია",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "ვები",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "ვებში ძებნა",
"Web Search Engine": "ვებ საძიებო სისტემა",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json
index 8659271809..f593260351 100644
--- a/src/lib/i18n/locales/ko-KR/translation.json
+++ b/src/lib/i18n/locales/ko-KR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "모든 문서",
"All models deleted successfully": "성공적으로 모든 모델이 삭제되었습니다",
+ "Allow Call": "",
"Allow Chat Controls": "채팅 제어 허용",
"Allow Chat Delete": "채팅 삭제 허용",
"Allow Chat Deletion": "채팅 삭제 허용",
"Allow Chat Edit": "채팅 수정 허용",
"Allow File Upload": "파일 업로드 허용",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "외부 음성 허용",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "임시 채팅 허용",
+ "Allow Text to Speech": "",
"Allow User Location": "사용자 위치 활용 허용",
"Allow Voice Interruption in Call": "음성 기능에서 음성 방해 허용",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "그리고",
"and {{COUNT}} more": "그리고 {{COUNT}} 더",
"and create a new shared link.": "새로운 공유 링크를 생성합니다.",
+ "Android": "",
"API Base URL": "API 기본 URL",
"API Key": "API 키",
"API Key created.": "API 키가 생성되었습니다.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API 키",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "웹 사이트에 대한 SSL 검증 무시: ",
"Calendar": "",
"Call": "음성 기능",
"Call feature is not supported when using Web STT engine": "웹 STT 엔진 사용 시, 음성 기능은 지원되지 않습니다.",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "채팅 공유 URL이 클립보드에 복사되었습니다!",
"Copied to clipboard": "클립보드에 복사되었습니다",
"Copy": "복사",
+ "Copy Formatted Text": "",
"Copy last code block": "마지막 코드 블록 복사",
"Copy last response": "마지막 응답 복사",
"Copy Link": "링크 복사",
@@ -303,6 +308,7 @@
"Deleted User": "삭제된 사용자",
"Describe your knowledge base and objectives": "지식 기반에 대한 설명과 목적을 입력하세요",
"Description": "설명",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "완전히 지침을 따르지 않음",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "편집",
"Edit Arena Model": "아레나 모델 편집",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github Raw URL 입력",
"Enter Google PSE API Key": "Google PSE API 키 입력",
"Enter Google PSE Engine Id": "Google PSE 엔진 ID 입력",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Mojeek Search API 키 입력",
"Enter Number of Steps (e.g. 50)": "단계 수 입력(예: 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "프록시 URL 입력(예: https://user:password@host:port)",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "샘플러 입력 (예: 오일러 a(Euler a))",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "중지 시퀀스 입력",
"Enter system prompt": "시스템 프롬프트 입력",
"Enter system prompt here": "",
"Enter Tavily API Key": "Tavily API 키 입력",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "전반적으로 필터 활성화됨",
"Filters": "필터",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingerprint spoofing 감지: 이니셜을 아바타로 사용할 수 없습니다. 기본 프로필 이미지로 설정합니다.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "대규모 외부 응답 청크를 유연하게 스트리밍",
"Focus chat input": "채팅 입력창에 포커스",
"Folder deleted successfully": "성공적으로 폴터가 생성되었습니다",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "이미지",
"Image Compression": "이미지 압축",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "랜딩페이지 모드",
"Language": "언어",
+ "Language Locales": "",
"Last Active": "최근 활동",
"Last Modified": "마지막 수정",
"Last reply": "",
@@ -702,7 +721,6 @@
"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",
@@ -833,6 +851,8 @@
"Pipelines Valves": "파이프라인 밸브",
"Plain text (.txt)": "일반 텍스트(.txt)",
"Playground": "놀이터",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "다음 주의를 조심히 확인해주십시오",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "프롬프트를 입력해주세요",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "릴리스 노트",
"Relevance": "관련도",
+ "Relevance Threshold": "",
"Remove": "삭제",
"Remove Model": "모델 삭제",
"Rename": "이름 변경",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "{{WEBUI_NAME}}로 가입",
"Signing in to {{WEBUI_NAME}}": "{{WEBUI_NAME}}로 가입중",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "출처",
"Speech Playback Speed": "음성 재생 속도",
"Speech recognition error: {{error}}": "음성 인식 오류: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "탭하여 중단",
"Tasks": "",
"Tavily API Key": "Tavily API 키",
+ "Tavily Extract Depth": "",
"Tell us more:": "더 알려주세요:",
"Temperature": "온도",
"Template": "템플릿",
@@ -1179,6 +1203,7 @@
"variable": "변수",
"variable to have them replaced with clipboard content.": "변수를 사용하여 클립보드 내용으로 바꾸세요.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "버전",
"Version {{selectedVersion}} of {{totalVersions}}": "버전 {{totalVersions}}의 {{selectedVersion}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "웹",
"Web API": "웹 API",
+ "Web Loader Engine": "",
"Web Search": "웹 검색",
"Web Search Engine": "웹 검색 엔진",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json
index 589e9d8df3..32abbcc141 100644
--- a/src/lib/i18n/locales/lt-LT/translation.json
+++ b/src/lib/i18n/locales/lt-LT/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Visi dokumentai",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Leisti pokalbių ištrynimą",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Leisti nelokalius balsus",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "Leisti naudotojo vietos matymą",
"Allow Voice Interruption in Call": "Leisti pertraukimą skambučio metu",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "ir",
"and {{COUNT}} more": "",
"and create a new shared link.": "sukurti naują dalinimosi nuorodą",
+ "Android": "",
"API Base URL": "API basės nuoroda",
"API Key": "API raktas",
"API Key created.": "API raktas sukurtas",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API raktas",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Išvengti SSL patikros puslapiams",
"Calendar": "",
"Call": "Skambinti",
"Call feature is not supported when using Web STT engine": "Skambučio funkcionalumas neleidžiamas naudojant Web STT variklį",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Nukopijavote pokalbio nuorodą",
"Copied to clipboard": "",
"Copy": "Kopijuoti",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopijuoti paskutinį kodo bloką",
"Copy last response": "Kopijuoti paskutinį atsakymą",
"Copy Link": "Kopijuoti nuorodą",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Aprašymas",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Pilnai nesekė instrukcijų",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Redaguoti",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Įveskite GitHub Raw nuorodą",
"Enter Google PSE API Key": "Įveskite Google PSE API raktą",
"Enter Google PSE Engine Id": "Įveskite Google PSE variklio ID",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Įveskite žingsnių kiekį (pvz. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Įveskite pabaigos sekvenciją",
"Enter system prompt": "Įveskite sistemos užklausą",
"Enter system prompt here": "",
"Enter Tavily API Key": "Įveskite Tavily API raktą",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filtrai globaliai leidžiami",
"Filters": "Filtrai",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Nepavyko nsutatyti profilio nuotraukos",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Sklandžiai transliuoti ilgus atsakymus",
"Focus chat input": "Fokusuoti žinutės įvestį",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hibridinė paieška",
"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.": "Suprantu veiksmų ir kodo vykdymo rizikas.",
"ID": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Kalba",
+ "Language Locales": "",
"Last Active": "Paskutinį kartą aktyvus",
"Last Modified": "Paskutinis pakeitimas",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Žinutės, kurias siunčiate po nuorodos sukūrimo nebus matomos nuorodos turėtojams. Naudotojai su nuoroda matys žinutes iki nuorodos sukūrimo.",
"Min P": "Mažiausias p",
- "Minimum Score": "Minimalus rezultatas",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Procesų įeitys",
"Plain text (.txt)": "Grynas tekstas (.txt)",
"Playground": "Eksperimentavimo erdvė",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Peržiūrėkite šiuos perspėjimus:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Naujovės",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Pašalinti",
"Remove Model": "Pašalinti modelį",
"Rename": "Pervadinti",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Šaltinis",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Balso atpažinimo problema: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Paspauskite norėdami pertraukti",
"Tasks": "",
"Tavily API Key": "Tavily API raktas",
+ "Tavily Extract Depth": "",
"Tell us more:": "Papasakokite daugiau",
"Temperature": "Temperatūra",
"Template": "Modelis",
@@ -1179,6 +1203,7 @@
"variable": "kintamasis",
"variable to have them replaced with clipboard content.": "kintamoji pakeičiama kopijuoklės turiniu.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versija",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Web paieška",
"Web Search Engine": "Web paieškos variklis",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json
index 46724502b9..f07dda0427 100644
--- a/src/lib/i18n/locales/ms-MY/translation.json
+++ b/src/lib/i18n/locales/ms-MY/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Semua Dokumen",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Benarkan Penghapusan Perbualan",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Benarkan suara bukan tempatan ",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "Benarkan Lokasi Pengguna",
"Allow Voice Interruption in Call": "Benarkan gangguan suara dalam panggilan",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "dan",
"and {{COUNT}} more": "",
"and create a new shared link.": "dan cipta pautan kongsi baharu",
+ "Android": "",
"API Base URL": "URL Asas API",
"API Key": "Kunci API",
"API Key created.": "Kunci API dicipta",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Kunci API Carian Brave",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Pintas pengesahan SSL untuk Laman Web",
"Calendar": "",
"Call": "Hubungi",
"Call feature is not supported when using Web STT engine": "Ciri panggilan tidak disokong apabila menggunakan enjin Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Menyalin URL sembang kongsi ke papan klip",
"Copied to clipboard": "",
"Copy": "Salin",
+ "Copy Formatted Text": "",
"Copy last code block": "Salin Blok Kod Terakhir",
"Copy last response": "Salin Respons Terakhir",
"Copy Link": "Salin Pautan",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Penerangan",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Tidak mengikut arahan sepenuhnya",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Edit",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Masukkan URL 'Github Raw'",
"Enter Google PSE API Key": "Masukkan kunci API Google PSE",
"Enter Google PSE Engine Id": "Masukkan Id Enjin Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Masukkan Bilangan Langkah (cth 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Masukkan urutan hentian",
"Enter system prompt": "Masukkan gesaan sistem",
"Enter system prompt here": "",
"Enter Tavily API Key": "Masukkan Kunci API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Tapisan kini dibenarkan secara global",
"Filters": "Tapisan",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Peniruan cap jari dikesan, tidak dapat menggunakan nama pendek sebagai avatar. Lalai kepada imej profail asal",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Strim 'chunks' respons luaran yang besar dengan lancar",
"Focus chat input": "Fokus kepada input perbualan",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Carian Hibrid",
"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.": "Saya mengakui bahawa saya telah membaca dan saya memahami implikasi tindakan saya. Saya sedar tentang risiko yang berkaitan dengan melaksanakan kod sewenang-wenangnya dan saya telah mengesahkan kebolehpercayaan sumber tersebut.",
"ID": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Bahasa",
+ "Language Locales": "",
"Last Active": "Dilihat aktif terakhir pada",
"Last Modified": "Kemaskini terakhir pada",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Mesej yang anda hantar selepas membuat pautan anda tidak akan dikongsi. Pengguna dengan URL akan dapat melihat perbualan yang dikongsi.",
"Min P": "P Minimum",
- "Minimum Score": "Skor Minimum",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "'Pipeline Valves'",
"Plain text (.txt)": "Teks biasa (.txt)",
"Playground": "Taman Permainan",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Sila semak dengan teliti amaran berikut:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Nota Keluaran",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Hapuskan",
"Remove Model": "Hapuskan Model",
"Rename": "Namakan Semula",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Sumber",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Ralat pengecaman pertuturan: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Sentuh untuk mengganggu",
"Tasks": "",
"Tavily API Key": "Kunci API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Beritahu kami lebih lanjut",
"Temperature": "Suhu",
"Template": "Templat",
@@ -1179,6 +1203,7 @@
"variable": "pembolehubah",
"variable to have them replaced with clipboard content.": "pembolehubah untuk ia digantikan dengan kandungan papan klip.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versi",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Carian Web",
"Web Search Engine": "Enjin Carian Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json
index c240a6479f..cb35dc38a4 100644
--- a/src/lib/i18n/locales/nb-NO/translation.json
+++ b/src/lib/i18n/locales/nb-NO/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Alle dokumenter",
"All models deleted successfully": "Alle modeller er slettet",
+ "Allow Call": "",
"Allow Chat Controls": "Tillatt chatkontroller",
"Allow Chat Delete": "Tillat sletting av chatter",
"Allow Chat Deletion": "Tillat sletting av chatter",
"Allow Chat Edit": "Tillat redigering av chatter",
"Allow File Upload": "Tillatt opplasting av filer",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Tillat ikke-lokale stemmer",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Tillat midlertidige chatter",
+ "Allow Text to Speech": "",
"Allow User Location": "Aktiver stedstjenester",
"Allow Voice Interruption in Call": "Muliggjør taleavbrytelse i samtaler",
"Allowed Endpoints": "Tillatte endepunkter",
@@ -79,6 +83,7 @@
"and": "og",
"and {{COUNT}} more": "og {{COUNT}} til",
"and create a new shared link.": "og opprett en ny delt lenke.",
+ "Android": "",
"API Base URL": "Absolutt API-URL",
"API Key": "API-nøkkel",
"API Key created.": "API-nøkkel opprettet.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "API-nøkkel for Brave Search",
"By {{name}}": "Etter {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Omgå SSL-verifisering for nettsteder",
"Calendar": "Kalender",
"Call": "Ring",
"Call feature is not supported when using Web STT engine": "Ringefunksjonen støttes ikke når du bruker Web STT-motoren",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Kopierte delt chat-URL til utklippstavlen!",
"Copied to clipboard": "Kopier til utklippstaveln",
"Copy": "Kopier",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopier siste kodeblokk",
"Copy last response": "Kopier siste svar",
"Copy Link": "Kopier lenke",
@@ -303,6 +308,7 @@
"Deleted User": "Slettet bruker",
"Describe your knowledge base and objectives": "Beskriv kunnskapsbasen din og målene dine",
"Description": "Beskrivelse",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Fulgte ikke instruksjonene fullstendig",
"Direct": "",
"Direct Connections": "Direkte koblinger",
@@ -358,6 +364,7 @@
"e.g. my_filter": "f.eks. mitt_filter",
"e.g. my_tools": "f.eks. mine_verktøy",
"e.g. Tools for performing various operations": "f.eks. Verktøy for å gjøre ulike handlinger",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Rediger",
"Edit Arena Model": "Rediger Arena-modell",
"Edit Channel": "Rediger kanal",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Angi nøkkel for Intelligens i dokumenter",
"Enter domains separated by commas (e.g., example.com,site.org)": "Angi domener atskilt med komma (f.eks. eksempel.com, side.org)",
"Enter Exa API Key": "Angi API-nøkkel for Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Angi Github Raw-URL",
"Enter Google PSE API Key": "Angi API-nøkkel for Google PSE",
"Enter Google PSE Engine Id": "Angi motor-ID for Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Angi API-nøkkel for Mojeek-søk",
"Enter Number of Steps (e.g. 50)": "Angi antall steg (f.eks. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Angi proxy-URL (f.eks. https://bruker:passord@host:port)",
"Enter reasoning effort": "Angi hvor mye resonneringsinnsats som skal til",
"Enter Sampler (e.g. Euler a)": "Angi Sampler (e.g. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Angi server host",
"Enter server label": "Angi server etikett",
"Enter server port": "Angi server port",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Angi stoppsekvens",
"Enter system prompt": "Angi systemledetekst",
"Enter system prompt here": "",
"Enter Tavily API Key": "Angi API-nøkkel for Tavily",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Angi den offentlige URL-adressen til WebUI. Denne URL-adressen vil bli brukt til å generere koblinger i varslene.",
"Enter Tika Server URL": "Angi server-URL for Tika",
"Enter timeout in seconds": "Angi tidsavbrudd i sekunder",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filteret er nå globalt aktivert",
"Filters": "Filtre",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingeravtrykk-spoofing oppdaget: kan ikke bruke initialer som avatar. Bruker standard profilbilde.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Flytende strømming av store eksterne svarpakker",
"Focus chat input": "Fokusert chat-inndata",
"Folder deleted successfully": "Mappe slettet",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybrid-søk",
"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.": "Jeg bekrefter at jeg har lest og forstår konsekvensene av mine handlinger. Jeg er klar over risikoen forbundet med å kjøre vilkårlig kode, og jeg har verifisert kildens pålitelighet.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Vekk nysgjerrigheten",
"Image": "Bilde",
"Image Compression": "Bildekomprimering",
@@ -649,6 +667,7 @@
"Label": "Etikett",
"Landing Page Mode": "Modus for startside",
"Language": "Språk",
+ "Language Locales": "",
"Last Active": "Sist aktiv",
"Last Modified": "Sist endret",
"Last reply": "Siste svar",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Vurdering av meldinger må være aktivert for å ta i bruk denne funksjonen",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Meldinger du sender etter at du har opprettet lenken, blir ikke delt. Brukere med URL-en vil kunne se den delte chatten.",
"Min P": "Min P",
- "Minimum Score": "Minimum poengsum",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pipeline-ventiler",
"Plain text (.txt)": "Ren tekst (.txt)",
"Playground": "Lekeplass",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Les gjennom følgende advarsler grundig:",
"Please do not close the settings page while loading the model.": "Ikke lukk siden Innstillinger mens du laster inn modellen.",
"Please enter a prompt": "Angi en ledetekst",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Utgivelsesnotater",
"Relevance": "Relevans",
+ "Relevance Threshold": "",
"Remove": "Fjern",
"Remove Model": "Fjern modell",
"Rename": "Gi nytt navn",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Registrer deg for {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Logger på {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Kilde",
"Speech Playback Speed": "Hastighet på avspilling av tale",
"Speech recognition error: {{error}}": "Feil ved talegjenkjenning: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Trykk for å avbryte",
"Tasks": "Oppgaver",
"Tavily API Key": "API-nøkkel for Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Fortell oss mer:",
"Temperature": "Temperatur",
"Template": "Mal",
@@ -1179,6 +1203,7 @@
"variable": "variabel",
"variable to have them replaced with clipboard content.": "variabel for å erstatte dem med utklippstavleinnhold.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versjon",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} av {{totalVersions}}",
"View Replies": "Vis svar",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Advarsel! Jupyter gjør det mulig å kjøre vilkårlig kode, noe som utgjør en alvorlig sikkerhetsrisiko. Utvis ekstrem forsiktighet.",
"Web": "Web",
"Web API": "Web-API",
+ "Web Loader Engine": "",
"Web Search": "Nettsøk",
"Web Search Engine": "Nettsøkmotor",
"Web Search in Chat": "Nettsøk i chat",
diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json
index 6558b8c2a8..913aca7682 100644
--- a/src/lib/i18n/locales/nl-NL/translation.json
+++ b/src/lib/i18n/locales/nl-NL/translation.json
@@ -57,13 +57,17 @@
"All": "Alle",
"All Documents": "Alle documenten",
"All models deleted successfully": "Alle modellen zijn succesvol verwijderd",
+ "Allow Call": "",
"Allow Chat Controls": "Chatbesturing toestaan",
"Allow Chat Delete": "Chatverwijdering toestaan",
"Allow Chat Deletion": "Chatverwijdering toestaan",
"Allow Chat Edit": "Chatwijziging toestaan",
"Allow File Upload": "Bestandenupload toestaan",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Niet-lokale stemmen toestaan",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Tijdelijke chat toestaan",
+ "Allow Text to Speech": "",
"Allow User Location": "Gebruikerslocatie toestaan",
"Allow Voice Interruption in Call": "Stemonderbreking tijdens gesprek toestaan",
"Allowed Endpoints": "Endpoints toestaan",
@@ -79,6 +83,7 @@
"and": "en",
"and {{COUNT}} more": "en {{COUNT}} meer",
"and create a new shared link.": "en maak een nieuwe gedeelde link.",
+ "Android": "",
"API Base URL": "API Base URL",
"API Key": "API-sleutel",
"API Key created.": "API-sleutel aangemaakt.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API-sleutel",
"By {{name}}": "Op {{name}}",
"Bypass Embedding and Retrieval": "Embedding en ophalen omzeilen ",
- "Bypass SSL verification for Websites": "SSL-verificatie omzeilen voor websites",
"Calendar": "Agenda",
"Call": "Oproep",
"Call feature is not supported when using Web STT engine": "Belfunctie wordt niet ondersteund bij gebruik van de Web STT engine",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL van gedeelde gesprekspagina gekopieerd naar klembord!",
"Copied to clipboard": "Gekopieerd naar klembord",
"Copy": "Kopieer",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopieer laatste codeblok",
"Copy last response": "Kopieer laatste antwoord",
"Copy Link": "Kopieer link",
@@ -303,6 +308,7 @@
"Deleted User": "Gebruiker verwijderd",
"Describe your knowledge base and objectives": "Beschrijf je kennisbasis en doelstellingen",
"Description": "Beschrijving",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Heeft niet alle instructies gevolgt",
"Direct": "Direct",
"Direct Connections": "Directe verbindingen",
@@ -358,6 +364,7 @@
"e.g. my_filter": "bijv. mijn_filter",
"e.g. my_tools": "bijv. mijn_gereedschappen",
"e.g. Tools for performing various operations": "Gereedschappen om verschillende bewerkingen uit te voeren",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Wijzig",
"Edit Arena Model": "Bewerk arenamodel",
"Edit Channel": "Bewerk kanaal",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Voer Document Intelligence sleutel in",
"Enter domains separated by commas (e.g., example.com,site.org)": "Voer domeinen in gescheiden met komma's (bijv., voorbeeld.com,site.org)",
"Enter Exa API Key": "Voer Exa API-sleutel in",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Voer de Github Raw-URL in",
"Enter Google PSE API Key": "Voer de Google PSE API-sleutel in",
"Enter Google PSE Engine Id": "Voer Google PSE Engine-ID in",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Voer Mojeek Search API-sleutel in",
"Enter Number of Steps (e.g. 50)": "Voeg aantal stappen toe (Bijv. 50)",
"Enter Perplexity API Key": "Voer Perplexity API-sleutel in",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Voer proxy-URL in (bijv. https://gebruiker:wachtwoord@host:port)",
"Enter reasoning effort": "Voer redeneerinspanning in",
"Enter Sampler (e.g. Euler a)": "Voer Sampler in (bv. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Voer serverhost in",
"Enter server label": "Voer serverlabel in",
"Enter server port": "Voer serverpoort in",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Voer stopsequentie in",
"Enter system prompt": "Voer systeem prompt in",
"Enter system prompt here": "",
"Enter Tavily API Key": "Voer Tavily API-sleutel in",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Voer de publieke URL van je WebUI in. Deze URL wordt gebruikt om links in de notificaties te maken.",
"Enter Tika Server URL": "Voer Tika Server URL in",
"Enter timeout in seconds": "Voer time-out in seconden in",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter is nu globaal ingeschakeld",
"Filters": "Filters",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Vingerafdruk spoofing gedetecteerd: kan initialen niet gebruiken als avatar. Standaardprofielafbeelding wordt gebruikt.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Stream grote externe responsbrokken vloeiend",
"Focus chat input": "Focus chat input",
"Folder deleted successfully": "Map succesvol verwijderd",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybride Zoeken",
"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.": "Ik bevestig dat ik de implicaties van mijn actie heb gelezen en begrepen. Ik ben me bewust van de risico's die gepaard gaan met het uitvoeren van willekeurige code en ik heb de betrouwbaarheid van de bron gecontroleerd.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Wakker nieuwsgierigheid aan",
"Image": "Afbeelding",
"Image Compression": "Afbeeldingscompressie",
@@ -649,6 +667,7 @@
"Label": "Label",
"Landing Page Mode": "Landingspaginamodus",
"Language": "Taal",
+ "Language Locales": "",
"Last Active": "Laatst Actief",
"Last Modified": "Laatst aangepast",
"Last reply": "Laatste antwoord",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Berichtbeoordeling moet ingeschakeld zijn om deze functie te gebruiken",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Berichten die je verzendt nadat je jouw link hebt gemaakt, worden niet gedeeld. Gebruikers met de URL kunnen de gedeelde chat bekijken.",
"Min P": "Min P",
- "Minimum Score": "Minimale score",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pijpleidingen Kleppen",
"Plain text (.txt)": "Platte tekst (.txt)",
"Playground": "Speeltuin",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Beoordeel de volgende waarschuwingen nauwkeurig:",
"Please do not close the settings page while loading the model.": "Sluit de instellingenpagina niet terwijl het model geladen wordt.",
"Please enter a prompt": "Voer een prompt in",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Release-opmerkingen",
"Relevance": "Relevantie",
+ "Relevance Threshold": "",
"Remove": "Verwijderen",
"Remove Model": "Verwijder model",
"Rename": "Hernoemen",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Meld je aan bij {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Aan het inloggen bij {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Bron",
"Speech Playback Speed": "Afspeelsnelheid spraak",
"Speech recognition error: {{error}}": "Spraakherkenning fout: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Tik om te onderbreken",
"Tasks": "Taken",
"Tavily API Key": "Tavily API-sleutel",
+ "Tavily Extract Depth": "",
"Tell us more:": "Vertel ons meer:",
"Temperature": "Temperatuur",
"Template": "Template",
@@ -1179,6 +1203,7 @@
"variable": "variabele",
"variable to have them replaced with clipboard content.": "variabele om ze te laten vervangen door klembord inhoud.",
"Verify Connection": "Controleer verbinding",
+ "Verify SSL Certificate": "",
"Version": "Versie",
"Version {{selectedVersion}} of {{totalVersions}}": "Versie {{selectedVersion}} van {{totalVersions}}",
"View Replies": "Bekijke resultaten",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Waarschuwing: Jupyter kan willekeurige code uitvoeren, wat ernstige veiligheidsrisico's met zich meebrengt - ga uiterst voorzichtig te werk. ",
"Web": "Web",
"Web API": "Web-API",
+ "Web Loader Engine": "",
"Web Search": "Zoeken op het web",
"Web Search Engine": "Zoekmachine op het web",
"Web Search in Chat": "Zoekopdracht in chat",
diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json
index 662264b54e..01b0717d77 100644
--- a/src/lib/i18n/locales/pa-IN/translation.json
+++ b/src/lib/i18n/locales/pa-IN/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "ਸਾਰੇ ਡਾਕੂਮੈਂਟ",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "ਗੱਲਬਾਤ ਮਿਟਾਉਣ ਦੀ ਆਗਿਆ ਦਿਓ",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "ਅਤੇ",
"and {{COUNT}} more": "",
"and create a new shared link.": "ਅਤੇ ਇੱਕ ਨਵਾਂ ਸਾਂਝਾ ਲਿੰਕ ਬਣਾਓ।",
+ "Android": "",
"API Base URL": "API ਬੇਸ URL",
"API Key": "API ਕੁੰਜੀ",
"API Key created.": "API ਕੁੰਜੀ ਬਣਾਈ ਗਈ।",
@@ -141,7 +146,6 @@
"Brave Search API Key": "ਬਹਾਦਰ ਖੋਜ API ਕੁੰਜੀ",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "ਵੈਬਸਾਈਟਾਂ ਲਈ SSL ਪ੍ਰਮਾਣਿਕਤਾ ਨੂੰ ਬਾਈਪਾਸ ਕਰੋ",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "ਸਾਂਝੇ ਕੀਤੇ ਗੱਲਬਾਤ URL ਨੂੰ ਕਲਿੱਪਬੋਰਡ 'ਤੇ ਕਾਪੀ ਕਰ ਦਿੱਤਾ!",
"Copied to clipboard": "",
"Copy": "ਕਾਪੀ ਕਰੋ",
+ "Copy Formatted Text": "",
"Copy last code block": "ਆਖਰੀ ਕੋਡ ਬਲਾਕ ਨੂੰ ਕਾਪੀ ਕਰੋ",
"Copy last response": "ਆਖਰੀ ਜਵਾਬ ਨੂੰ ਕਾਪੀ ਕਰੋ",
"Copy Link": "ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "ਵਰਣਨਾ",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ਹਦਾਇਤਾਂ ਨੂੰ ਪੂਰੀ ਤਰ੍ਹਾਂ ਫਾਲੋ ਨਹੀਂ ਕੀਤਾ",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ਸੰਪਾਦਨ ਕਰੋ",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github ਕੱਚਾ URL ਦਾਖਲ ਕਰੋ",
"Enter Google PSE API Key": "Google PSE API ਕੁੰਜੀ ਦਾਖਲ ਕਰੋ",
"Enter Google PSE Engine Id": "Google PSE ਇੰਜਣ ID ਦਾਖਲ ਕਰੋ",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "ਕਦਮਾਂ ਦੀ ਗਿਣਤੀ ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "ਰੋਕਣ ਦਾ ਕ੍ਰਮ ਦਰਜ ਕਰੋ",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ਫਿੰਗਰਪ੍ਰਿੰਟ ਸਪੂਫਿੰਗ ਪਾਈ ਗਈ: ਅਵਤਾਰ ਵਜੋਂ ਸ਼ੁਰੂਆਤੀ ਅੱਖਰ ਵਰਤਣ ਵਿੱਚ ਅਸਮਰੱਥ। ਮੂਲ ਪ੍ਰੋਫਾਈਲ ਚਿੱਤਰ 'ਤੇ ਡਿਫਾਲਟ।",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "ਵੱਡੇ ਬਾਹਰੀ ਜਵਾਬ ਚੰਕਾਂ ਨੂੰ ਸਹੀ ਢੰਗ ਨਾਲ ਸਟ੍ਰੀਮ ਕਰੋ",
"Focus chat input": "ਗੱਲਬਾਤ ਇਨਪੁਟ 'ਤੇ ਧਿਆਨ ਦਿਓ",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "ਭਾਸ਼ਾ",
+ "Language Locales": "",
"Last Active": "ਆਖਰੀ ਸਰਗਰਮ",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "ਘੱਟੋ-ਘੱਟ ਸਕੋਰ",
"Mirostat": "ਮਿਰੋਸਟੈਟ",
"Mirostat Eta": "ਮਿਰੋਸਟੈਟ ਈਟਾ",
"Mirostat Tau": "ਮਿਰੋਸਟੈਟ ਟਾਉ",
@@ -833,6 +851,8 @@
"Pipelines Valves": "ਪਾਈਪਲਾਈਨਾਂ ਵਾਲਵ",
"Plain text (.txt)": "ਸਧਾਰਨ ਪਾਠ (.txt)",
"Playground": "ਖੇਡ ਦਾ ਮੈਦਾਨ",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "ਰਿਲੀਜ਼ ਨੋਟਸ",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "ਹਟਾਓ",
"Remove Model": "ਮਾਡਲ ਹਟਾਓ",
"Rename": "ਨਾਮ ਬਦਲੋ",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "ਸਰੋਤ",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "ਬੋਲ ਪਛਾਣ ਗਲਤੀ: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "ਸਾਨੂੰ ਹੋਰ ਦੱਸੋ:",
"Temperature": "ਤਾਪਮਾਨ",
"Template": "ਟੈਮਪਲੇਟ",
@@ -1179,6 +1203,7 @@
"variable": "ਵੈਰੀਏਬਲ",
"variable to have them replaced with clipboard content.": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਨਾਲ ਬਦਲਣ ਲਈ ਵੈਰੀਏਬਲ।",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "ਵਰਜਨ",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "ਵੈਬ",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "ਵੈੱਬ ਖੋਜ",
"Web Search Engine": "ਵੈੱਬ ਖੋਜ ਇੰਜਣ",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json
index f452404a1c..ab15e12c64 100644
--- a/src/lib/i18n/locales/pl-PL/translation.json
+++ b/src/lib/i18n/locales/pl-PL/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Wszystkie dokumenty",
"All models deleted successfully": "Wszystkie modele zostały usunięte pomyślnie.",
+ "Allow Call": "",
"Allow Chat Controls": "Zezwól na dostęp do ustawień czatu",
"Allow Chat Delete": "Zezwól na usunięcie czatu",
"Allow Chat Deletion": "Zezwól na usuwanie czatu",
"Allow Chat Edit": "Zezwól na edycję czatu",
"Allow File Upload": "Pozwól na przesyłanie plików",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Pozwól na głosy spoza lokalnej społeczności",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Zezwól na tymczasową rozmowę",
+ "Allow Text to Speech": "",
"Allow User Location": "Zezwól na lokalizację użytkownika",
"Allow Voice Interruption in Call": "Zezwól na przerwanie połączenia głosowego",
"Allowed Endpoints": "Dozwolone punkty końcowe",
@@ -79,6 +83,7 @@
"and": "oraz",
"and {{COUNT}} more": "i {{COUNT}} więcej",
"and create a new shared link.": "i utwórz nowy link współdzielony.",
+ "Android": "",
"API Base URL": "Adres bazowy interfejsu API",
"API Key": "Klucz API",
"API Key created.": "Klucz API został utworzony.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Klucz API wyszukiwania Brave",
"By {{name}}": "Przez {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Pomiń sprawdzanie SSL dla stron internetowych",
"Calendar": "Kalendarz",
"Call": "Wywołanie",
"Call feature is not supported when using Web STT engine": "Funkcja wywołania nie jest obsługiwana podczas korzystania z silnika Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Skopiowano udostępniony URL czatu do schowka!",
"Copied to clipboard": "Skopiowane do schowka",
"Copy": "Skopiuj",
+ "Copy Formatted Text": "",
"Copy last code block": "Skopiuj ostatni fragment kodu",
"Copy last response": "Skopiuj ostatnią wypowiedź",
"Copy Link": "Skopiuj link",
@@ -303,6 +308,7 @@
"Deleted User": "Usunięty użytkownik",
"Describe your knowledge base and objectives": "Opisz swoją bazę wiedzy i cele",
"Description": "Opis",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nie wykonał w pełni instrukcji",
"Direct": "",
"Direct Connections": "Połączenia bezpośrednie",
@@ -358,6 +364,7 @@
"e.g. my_filter": "np. moj_filtr",
"e.g. my_tools": "np. moje_narzędzia",
"e.g. Tools for performing various operations": "np. Narzędzia do wykonywania różnych operacji",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Edytuj",
"Edit Arena Model": "Edytuj model arenę",
"Edit Channel": "Edytuj kanał",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "Wprowadź domeny oddzielone przecinkami (np. example.com, site.org)",
"Enter Exa API Key": "Wprowadź klucz API Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Wprowadź surowy adres URL usługi GitHub",
"Enter Google PSE API Key": "Wprowadź klucz API Google PSE",
"Enter Google PSE Engine Id": "Wprowadź identyfikator urządzenia Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Wprowadź klucz API Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Podaj liczbę kroków (np. 50)",
"Enter Perplexity API Key": "Klucz API Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Podaj adres URL proxy (np. https://user:password@host:port)",
"Enter reasoning effort": "Podaj powód wysiłku",
"Enter Sampler (e.g. Euler a)": "Wprowadź sampler (np. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Wprowadź nazwę hosta serwera",
"Enter server label": "Wprowadź etykietę serwera",
"Enter server port": "Wprowadź numer portu serwera",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Wprowadź sekwencję stop",
"Enter system prompt": "Wprowadź polecenie systemowe",
"Enter system prompt here": "",
"Enter Tavily API Key": "Wprowadź klucz API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filtr jest teraz globalnie włączony",
"Filters": "Filtry",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Wykryto próbę oszustwa z odciskiem palca: Nie można używać inicjałów jako awatara. Powrót do domyślnego obrazu profilowego.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Płynnie strumieniuj duże fragmenty odpowiedzi zewnętrznych",
"Focus chat input": "Skup się na czacie",
"Folder deleted successfully": "Folder został usunięty pomyślnie",
@@ -589,6 +605,8 @@
"Hybrid Search": "Wyszukiwanie hybrydowe",
"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.": "Potwierdzam, że przeczytałem i rozumiem konsekwencje mojego działania. Jestem świadomy ryzyka związanego z wykonywaniem kodu o nieznanym pochodzeniu i zweryfikowałem wiarygodność źródła.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Rozbudź ciekawość",
"Image": "Obraz",
"Image Compression": "Kompresja obrazu",
@@ -649,6 +667,7 @@
"Label": "Nazwa serwera",
"Landing Page Mode": "Tryb strony głównej",
"Language": "Język",
+ "Language Locales": "",
"Last Active": "Ostatnio aktywny",
"Last Modified": "Ostatnia modyfikacja",
"Last reply": "Ostatnia odpowiedź",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Ocena wiadomości powinna być włączona, aby korzystać z tej funkcji.",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Wiadomości wysyłane po utworzeniu linku nie będą udostępniane. Użytkownicy z adresem URL będą mogli wyświetlić udostępnioną rozmowę.",
"Min P": "Min P",
- "Minimum Score": "Minimalny wynik",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Przepływy i Zawory",
"Plain text (.txt)": "Zwykły tekst (.txt)",
"Playground": "Plac zabaw",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Proszę uważnie przejrzeć poniższe ostrzeżenia:",
"Please do not close the settings page while loading the model.": "Proszę nie zamykać strony ustawień podczas ładowania modelu.",
"Please enter a prompt": "Proszę podać promp",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notatki do wydania",
"Relevance": "Trafność",
+ "Relevance Threshold": "",
"Remove": "Usuń",
"Remove Model": "Usuń model",
"Rename": "Zmień nazwę",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Zarejestruj się w {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Logowanie do {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Źródło",
"Speech Playback Speed": "Prędkość odtwarzania mowy",
"Speech recognition error: {{error}}": "Błąd rozpoznawania mowy: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Kliknij, aby przerwać",
"Tasks": "Zadania",
"Tavily API Key": "Klucz API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Podaj więcej informacji",
"Temperature": "Temperatura",
"Template": "Szablon",
@@ -1179,6 +1203,7 @@
"variable": "zmienna",
"variable to have them replaced with clipboard content.": "Zmienna, która ma zostać zastąpiona zawartością schowka.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Wersja",
"Version {{selectedVersion}} of {{totalVersions}}": "Wersja {{selectedVersion}} z {{totalVersions}}",
"View Replies": "Wyświetl odpowiedzi",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Uwaga: Uruchamianie Jupytera umożliwia wykonywanie dowolnego kodu, co stwarza poważne zagrożenia dla bezpieczeństwa – postępuj z ekstremalną ostrożnością.",
"Web": "Sieć internetowa",
"Web API": "Interfejs API sieci web",
+ "Web Loader Engine": "",
"Web Search": "Wyszukiwarka internetowa",
"Web Search Engine": "Silnik wyszukiweania w sieci",
"Web Search in Chat": "Wyszukiwanie w sieci Web na czacie",
diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json
index cb2c15775c..f6965a60d3 100644
--- a/src/lib/i18n/locales/pt-BR/translation.json
+++ b/src/lib/i18n/locales/pt-BR/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Todos os Documentos",
"All models deleted successfully": "Todos os modelos foram excluídos com sucesso",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Permitir Exclusão de Chats",
"Allow Chat Deletion": "Permitir Exclusão de Chats",
"Allow Chat Edit": "Permitir Edição de Chats",
"Allow File Upload": "Permitir Envio de arquivos",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permitir vozes não locais",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Permitir Conversa Temporária",
+ "Allow Text to Speech": "",
"Allow User Location": "Permitir Localização do Usuário",
"Allow Voice Interruption in Call": "Permitir Interrupção de Voz na Chamada",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "e",
"and {{COUNT}} more": "e mais {{COUNT}}",
"and create a new shared link.": "e criar um novo link compartilhado.",
+ "Android": "",
"API Base URL": "URL Base da API",
"API Key": "Chave API",
"API Key created.": "Chave API criada.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Chave API do Brave Search",
"By {{name}}": "Por {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Ignorar verificação SSL para Sites",
"Calendar": "",
"Call": "Chamada",
"Call feature is not supported when using Web STT engine": "O recurso de chamada não é suportado ao usar o mecanismo Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL de chat compartilhado copiado para a área de transferência!",
"Copied to clipboard": "Copiado para a área de transferência",
"Copy": "Copiar",
+ "Copy Formatted Text": "",
"Copy last code block": "Copiar último bloco de código",
"Copy last response": "Copiar última resposta",
"Copy Link": "Copiar Link",
@@ -303,6 +308,7 @@
"Deleted User": "Usuário Excluído",
"Describe your knowledge base and objectives": "Descreva sua base de conhecimento e objetivos",
"Description": "Descrição",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Não seguiu completamente as instruções",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "Exemplo: my_filter",
"e.g. my_tools": "Exemplo: my_tools",
"e.g. Tools for performing various operations": "Exemplo: Ferramentas para executar operações diversas",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editar",
"Edit Arena Model": "Editar Arena de Modelos",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Digite a URL bruta do Github",
"Enter Google PSE API Key": "Digite a Chave API do Google PSE",
"Enter Google PSE Engine Id": "Digite o ID do Motor do Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Digite a Chave API do Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Digite o Número de Passos (por exemplo, 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Digite o Sampler (por exemplo, Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Digite o host do servidor",
"Enter server label": "Digite o label do servidor",
"Enter server port": "Digite a porta do servidor",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Digite a sequência de parada",
"Enter system prompt": "Digite o prompt do sistema",
"Enter system prompt here": "",
"Enter Tavily API Key": "Digite a Chave API do Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "O filtro está agora ativado globalmente",
"Filters": "Filtros",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Falsificação de impressão digital detectada: Não foi possível usar as iniciais como avatar. Usando a imagem de perfil padrão.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Transmitir fluentemente grandes blocos de respostas externas",
"Focus chat input": "Focar entrada de chat",
"Folder deleted successfully": "Pasta excluída com sucesso",
@@ -589,6 +605,8 @@
"Hybrid Search": "Pesquisa Híbrida",
"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.": "Eu reconheço que li e entendi as implicações da minha ação. Estou ciente dos riscos associados à execução de código arbitrário e verifiquei a confiabilidade da fonte.",
"ID": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Desperte a curiosidade",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "Rótulo",
"Landing Page Mode": "Modo Landing Page",
"Language": "Idioma",
+ "Language Locales": "",
"Last Active": "Última Atividade",
"Last Modified": "Última Modificação",
"Last reply": "",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Mensagem de avaliação deve estar habilitada para usar esta função",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Mensagens enviadas após criar seu link não serão compartilhadas. Usuários com o URL poderão visualizar o chat compartilhado.",
"Min P": "",
- "Minimum Score": "Pontuação Mínima",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Válvulas de Pipelines",
"Plain text (.txt)": "Texto simples (.txt)",
"Playground": "Playground",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Por favor, revise cuidadosamente os seguintes avisos:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Por favor, digite um prompt",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notas de Lançamento",
"Relevance": "Relevância",
+ "Relevance Threshold": "",
"Remove": "Remover",
"Remove Model": "Remover Modelo",
"Rename": "Renomear",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Inscreva-se em {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Fazendo login em {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Fonte",
"Speech Playback Speed": "Velocidade de reprodução de fala",
"Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Toque para interromper",
"Tasks": "",
"Tavily API Key": "Chave da API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Conte-nos mais:",
"Temperature": "Temperatura",
"Template": "Template",
@@ -1179,6 +1203,7 @@
"variable": "variável",
"variable to have them replaced with clipboard content.": "variável para ser substituída pelo conteúdo da área de transferência.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versão",
"Version {{selectedVersion}} of {{totalVersions}}": "Versão {{selectedVersion}} de {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Pesquisa na Web",
"Web Search Engine": "Mecanismo de Busca na Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json
index 56a932e8d6..4376f96df0 100644
--- a/src/lib/i18n/locales/pt-PT/translation.json
+++ b/src/lib/i18n/locales/pt-PT/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Todos os Documentos",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permitir Exclusão de Conversa",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permitir vozes não locais",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "e",
"and {{COUNT}} more": "",
"and create a new shared link.": "e criar um novo link partilhado.",
+ "Android": "",
"API Base URL": "URL Base da API",
"API Key": "Chave da API",
"API Key created.": "Chave da API criada.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Chave da API de Pesquisa Brave",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Ignorar verificação SSL para sites",
"Calendar": "",
"Call": "Chamar",
"Call feature is not supported when using Web STT engine": "A funcionalide de Chamar não é suportada quando usa um motor Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL de Conversa partilhado copiada com sucesso!",
"Copied to clipboard": "",
"Copy": "Copiar",
+ "Copy Formatted Text": "",
"Copy last code block": "Copiar último bloco de código",
"Copy last response": "Copiar última resposta",
"Copy Link": "Copiar link",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Descrição",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Não seguiu instruções com precisão",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editar",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Escreva o URL cru do Github",
"Enter Google PSE API Key": "Escreva a chave da API PSE do Google",
"Enter Google PSE Engine Id": "Escreva o ID do mecanismo PSE do Google",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Escreva o Número de Etapas (por exemplo, 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Escreva a sequência de paragem",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Detectada falsificação da impressão digital: Não é possível usar iniciais como avatar. A usar a imagem de perfil padrão.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Transmita com fluidez grandes blocos de resposta externa",
"Focus chat input": "Focar na conversa",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Pesquisa Híbrida",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Idioma",
+ "Language Locales": "",
"Last Active": "Último Ativo",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Mensagens que você enviar após criar o seu link não serão partilhadas. Os utilizadores com o URL poderão visualizar a conversa partilhada.",
"Min P": "",
- "Minimum Score": "Mínimo de Pontuação",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Válvulas de Condutas",
"Plain text (.txt)": "Texto sem formatação (.txt)",
"Playground": "Recreio",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Notas de Lançamento",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Remover",
"Remove Model": "Remover Modelo",
"Rename": "Renomear",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Fonte",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "Diga-nos mais:",
"Temperature": "Temperatura",
"Template": "Modelo",
@@ -1179,6 +1203,7 @@
"variable": "variável",
"variable to have them replaced with clipboard content.": "variável para que sejam substituídos pelo conteúdo da área de transferência.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versão",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Pesquisa na Web",
"Web Search Engine": "Motor de Pesquisa Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json
index b5d05c557d..593a822a0b 100644
--- a/src/lib/i18n/locales/ro-RO/translation.json
+++ b/src/lib/i18n/locales/ro-RO/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Toate documentele",
"All models deleted successfully": "Toate modelele au fost șterse cu succes",
+ "Allow Call": "",
"Allow Chat Controls": "Permite controalele chat-ului",
"Allow Chat Delete": "Permite ștergerea chat-ului",
"Allow Chat Deletion": "Permite ștergerea conversațiilor",
"Allow Chat Edit": "Permite editarea chat-ului",
"Allow File Upload": "Permite încărcarea fișierelor",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permite voci non-locale",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Permite chat temporar",
+ "Allow Text to Speech": "",
"Allow User Location": "Permite localizarea utilizatorului",
"Allow Voice Interruption in Call": "Permite intreruperea vocii în apel",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "și",
"and {{COUNT}} more": "și {{COUNT}} mai multe",
"and create a new shared link.": "și creează un nou link partajat.",
+ "Android": "",
"API Base URL": "URL Bază API",
"API Key": "Cheie API",
"API Key created.": "Cheie API creată.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Cheie API Brave Search",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Ocolește verificarea SSL pentru site-uri web",
"Calendar": "",
"Call": "Apel",
"Call feature is not supported when using Web STT engine": "Funcția de apel nu este suportată când se utilizează motorul Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL-ul conversației partajate a fost copiat în clipboard!",
"Copied to clipboard": "Copiat în clipboard",
"Copy": "Copiază",
+ "Copy Formatted Text": "",
"Copy last code block": "Copiază ultimul bloc de cod",
"Copy last response": "Copiază ultimul răspuns",
"Copy Link": "Copiază Link",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Descriere",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nu a urmat complet instrucțiunile",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Editează",
"Edit Arena Model": "Editați Modelul Arena",
"Edit Channel": "Editează canalul",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Introduceți URL-ul Raw de pe Github",
"Enter Google PSE API Key": "Introduceți Cheia API Google PSE",
"Enter Google PSE Engine Id": "Introduceți ID-ul Motorului Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Introduceți Numărul de Pași (de ex. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Introduce Sampler (de exemplu, Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Introduceți secvența de oprire",
"Enter system prompt": "Introduceți promptul de sistem",
"Enter system prompt here": "",
"Enter Tavily API Key": "Introduceți Cheia API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filtrul este acum activat global",
"Filters": "Filtre",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Detectată falsificarea amprentelor: Nu se pot folosi inițialele ca avatar. Se utilizează imaginea de profil implicită.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Transmite fluent blocuri mari de răspuns extern",
"Focus chat input": "Focalizează câmpul de intrare pentru conversație",
"Folder deleted successfully": "Folder șters cu succes",
@@ -589,6 +605,8 @@
"Hybrid Search": "Căutare Hibridă",
"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.": "Recunosc că am citit și înțeleg implicațiile acțiunii mele. Sunt conștient de riscurile asociate cu executarea codului arbitrar și am verificat fiabilitatea sursei.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "Modul Pagină de Aterizare",
"Language": "Limbă",
+ "Language Locales": "",
"Last Active": "Ultima Activitate",
"Last Modified": "Ultima Modificare",
"Last reply": "",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Evaluarea mesajelor ar trebui să fie activată pentru a utiliza această funcționalitate.",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Mesajele pe care le trimiteți după crearea link-ului dvs. nu vor fi partajate. Utilizatorii cu URL-ul vor putea vizualiza conversația partajată.",
"Min P": "",
- "Minimum Score": "Scor Minim",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Valvele Conductelor",
"Plain text (.txt)": "Text simplu (.txt)",
"Playground": "Teren de Joacă",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Vă rugăm să revizuiți cu atenție următoarele avertismente:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Te rog să introduci un mesaj",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Note de Lansare",
"Relevance": "Relevanță",
+ "Relevance Threshold": "",
"Remove": "Înlătură",
"Remove Model": "Înlătură Modelul",
"Rename": "Redenumește",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Înregistrează-te la {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Autentificare în {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Sursă",
"Speech Playback Speed": "Viteza de redare a vorbirii",
"Speech recognition error: {{error}}": "Eroare de recunoaștere vocală: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Apasă pentru a întrerupe",
"Tasks": "",
"Tavily API Key": "Cheie API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Spune-ne mai multe:",
"Temperature": "Temperatură",
"Template": "Șablon",
@@ -1179,6 +1203,7 @@
"variable": "variabilă",
"variable to have them replaced with clipboard content.": "variabilă pentru a fi înlocuite cu conținutul clipboard-ului.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Versiune",
"Version {{selectedVersion}} of {{totalVersions}}": "Versiunea {{selectedVersion}} din {{totalVersions}}",
"View Replies": "Vezi răspunsurile",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "API Web",
+ "Web Loader Engine": "",
"Web Search": "Căutare Web",
"Web Search Engine": "Motor de Căutare Web",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json
index 83a7381123..a691ad2c18 100644
--- a/src/lib/i18n/locales/ru-RU/translation.json
+++ b/src/lib/i18n/locales/ru-RU/translation.json
@@ -57,13 +57,17 @@
"All": "Все",
"All Documents": "Все документы",
"All models deleted successfully": "Все модели успешно удалены",
+ "Allow Call": "",
"Allow Chat Controls": "Разрешить управление чатом",
"Allow Chat Delete": "Разрешить удаление чата",
"Allow Chat Deletion": "Разрешить удаление чата",
"Allow Chat Edit": "Разрешить редактирование чата",
"Allow File Upload": "Разрешить загрузку файлов",
+ "Allow Multiple Models in Chat": "Разрешить использование нескольких моделей в чате",
"Allow non-local voices": "Разрешить не локальные голоса",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Разрешить временные чаты",
+ "Allow Text to Speech": "",
"Allow User Location": "Разрешить доступ к местоположению пользователя",
"Allow Voice Interruption in Call": "Разрешить прерывание голоса во время вызова",
"Allowed Endpoints": "Разрешенные энд-поинты",
@@ -72,13 +76,14 @@
"Always": "Всегда",
"Always Collapse Code Blocks": "Всегда сворачивать блоки кода",
"Always Expand Details": "Всегда разворачивать детали",
- "Amazing": "Удивительный",
+ "Amazing": "Удивительно",
"an assistant": "ассистент",
"Analyzed": "Проанализировано",
- "Analyzing...": "Анализирую",
+ "Analyzing...": "Анализирую...",
"and": "и",
"and {{COUNT}} more": "и еще {{COUNT}}",
"and create a new shared link.": "и создайте новую общую ссылку.",
+ "Android": "",
"API Base URL": "Базовый адрес API",
"API Key": "Ключ API",
"API Key created.": "Ключ API создан.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Ключ API поиска Brave",
"By {{name}}": "От {{name}}",
"Bypass Embedding and Retrieval": "Обход встраивания и извлечения данных",
- "Bypass SSL verification for Websites": "Обход проверки SSL для веб-сайтов",
"Calendar": "Календарь",
"Call": "Вызов",
"Call feature is not supported when using Web STT engine": "Функция вызова не поддерживается при использовании Web STT (распознавание речи) движка",
@@ -153,7 +157,7 @@
"Change Password": "Изменить пароль",
"Channel Name": "Название канала",
"Channels": "Каналы",
- "Character": "Персонаж",
+ "Character": "Символ",
"Character limit for autocomplete generation input": "Ограничение количества символов для ввода при генерации автозаполнения",
"Chart new frontiers": "Наметьте новые границы",
"Chat": "Чат",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Копирование в буфер обмена выполнено успешно!",
"Copied to clipboard": "Скопировано в буфер обмена",
"Copy": "Копировать",
+ "Copy Formatted Text": "",
"Copy last code block": "Копировать последний блок кода",
"Copy last response": "Копировать последний ответ",
"Copy Link": "Копировать ссылку",
@@ -251,13 +256,13 @@
"Create a knowledge base": "Создайте базу знаний",
"Create a model": "Создание модели",
"Create Account": "Создать аккаунт",
- "Create Admin Account": "Создать Аккаунт Администратора",
- "Create Channel": "Создать Канал",
- "Create Group": "Создать Группу",
- "Create Knowledge": "Создать Знание",
+ "Create Admin Account": "Создать аккаунт Администратора",
+ "Create Channel": "Создать канал",
+ "Create Group": "Создать группу",
+ "Create Knowledge": "Создать знание",
"Create new key": "Создать новый ключ",
"Create new secret key": "Создать новый секретный ключ",
- "Created at": "Создано",
+ "Created at": "Создан(а)",
"Created At": "Создано",
"Created by": "Создано",
"CSV Import": "Импорт CSV",
@@ -281,7 +286,7 @@
"Default Prompt Suggestions": "Предложения промптов по умолчанию",
"Default to 389 or 636 if TLS is enabled": "По умолчанию 389 или 636, если TLS включен.",
"Default to ALL": "По умолчанию ВСЕ",
- "Default to segmented retrieval for focused and relevant content extraction, this is recommended for most cases.": "",
+ "Default to segmented retrieval for focused and relevant content extraction, this is recommended for most cases.": "По умолчанию используется сегментированный поиск для целенаправленного извлечения релевантного контента, что рекомендуется в большинстве случаев.",
"Default User Role": "Роль пользователя по умолчанию",
"Delete": "Удалить",
"Delete a model": "Удалить модель",
@@ -303,12 +308,13 @@
"Deleted User": "Удалённый пользователь",
"Describe your knowledge base and objectives": "Опишите свою базу знаний и цели",
"Description": "Описание",
+ "Detect Artifacts Automatically": "Автоматическое обнаружение артефактов",
"Didn't fully follow instructions": "Не полностью следует инструкциям",
"Direct": "Прямое",
"Direct Connections": "Прямые подключения",
"Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Прямые подключения позволяют пользователям подключаться к своим собственным конечным точкам API, совместимым с OpenAI.",
"Direct Connections settings updated": "Настройки прямых подключений обновлены",
- "Direct Tool Servers": "Прямые сервера инструментов",
+ "Direct Tool Servers": "Доступ к серверам инструментов",
"Disabled": "Отключено",
"Discover a function": "Найти функцию",
"Discover a model": "Найти модель",
@@ -316,10 +322,10 @@
"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": "Находите, загружайте и исследуйте пользовательские предустановки моделей",
+ "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": "Отображать эмодзи в вызовах",
@@ -358,6 +364,7 @@
"e.g. my_filter": "например, мой_фильтр",
"e.g. my_tools": "например, мой_инструмент",
"e.g. Tools for performing various operations": "например, инструменты для выполнения различных операций",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "например, en-US,ja-JP (оставьте поле пустым для автоматического определения)",
"Edit": "Редактировать",
"Edit Arena Model": "Изменить модель арены",
"Edit Channel": "Редактировать канал",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Введите ключ для анализа документов",
"Enter domains separated by commas (e.g., example.com,site.org)": "Введите домены, разделенные запятыми (например, example.com,site.org)",
"Enter Exa API Key": "Введите ключ API для Exa",
+ "Enter Firecrawl API Base URL": "Введите базовый URL-адрес Firecrawl API",
+ "Enter Firecrawl API Key": "Введите ключ API для Firecrawl",
"Enter Github Raw URL": "Введите необработанный URL-адрес Github",
"Enter Google PSE API Key": "Введите ключ API Google PSE",
"Enter Google PSE Engine Id": "Введите Id движка Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Введите ключ API поиска Mojeek",
"Enter Number of Steps (e.g. 50)": "Введите количество шагов (например, 50)",
"Enter Perplexity API Key": "Введите ключ API Perplexity",
+ "Enter Playwright Timeout": "Введите таймаут для Playwright",
+ "Enter Playwright WebSocket URL": "Введите URL-адрес Playwright WebSocket",
"Enter proxy URL (e.g. https://user:password@host:port)": "Введите URL прокси-сервера (например, https://user:password@host:port)",
"Enter reasoning effort": "Введите причинность рассудения",
"Enter Sampler (e.g. Euler a)": "Введите сэмплер (например, Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Введите хост сервера",
"Enter server label": "Введите метку сервера",
"Enter server port": "Введите порт сервера",
+ "Enter Sougou Search API sID": "Введите Sougou Search API sID",
+ "Enter Sougou Search API SK": "Введите Sougou Search API SK",
"Enter stop sequence": "Введите последовательность остановки",
"Enter system prompt": "Введите системный промпт",
"Enter system prompt here": "Введите системный промпт здесь",
"Enter Tavily API Key": "Введите ключ API Tavily",
+ "Enter Tavily Extract Depth": "Укажите глубину извлечения 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": "Введите время ожидания в секундах",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Фильтр теперь включен глобально",
"Filters": "Фильтры",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Определение подделки отпечатка: Невозможно использовать инициалы в качестве аватара. По умолчанию используется изображение профиля по умолчанию.",
+ "Firecrawl API Base URL": "Базовый URL-адрес Firecrawl API",
+ "Firecrawl API Key": "Ключ API Firecrawl",
"Fluidly stream large external response chunks": "Плавная потоковая передача больших фрагментов внешних ответов",
"Focus chat input": "Фокус ввода чата",
"Folder deleted successfully": "Папка успешно удалена",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "Позволять формы для iframe Sandbox",
+ "iframe Sandbox Allow Same Origin": "Позводять одно и то же происхождение для iframe Sandbox",
"Ignite curiosity": "Разожгите любопытство",
"Image": "Изображение",
"Image Compression": "Сжатие изображения",
@@ -638,7 +656,7 @@
"Key": "Ключ",
"Keyboard shortcuts": "Горячие клавиши",
"Knowledge": "Знания",
- "Knowledge Access": "Доступ к Знаниям",
+ "Knowledge Access": "Доступ к знаниям",
"Knowledge created successfully.": "Знания созданы успешно.",
"Knowledge deleted successfully.": "Знания успешно удалены.",
"Knowledge Public Sharing": "Публичный обмен знаниями",
@@ -649,12 +667,13 @@
"Label": "Пометка",
"Landing Page Mode": "Режим целевой страницы",
"Language": "Язык",
- "Last Active": "Последний активный",
+ "Language Locales": "Языковые особенности",
+ "Last Active": "Последняя активность",
"Last Modified": "Последнее изменение",
"Last reply": "Последний ответ",
"LDAP": "",
"LDAP server updated": "LDAP сервер обновлен",
- "Leaderboard": "Таблица Лидеров",
+ "Leaderboard": "Таблица лидеров",
"Learn more about OpenAPI tool servers.": "Узнайте больше о серверах инструментов OpenAPI.",
"Leave empty for unlimited": "Оставьте пустым для неограниченного",
"Leave empty to include all models from \"{{url}}/api/tags\" endpoint": "Оставьте пустым, чтобы включить все модели из конечной точки \"{{url}}/api/tags\"",
@@ -673,7 +692,7 @@
"Local Models": "Локальные модели",
"Location access not allowed": "Доступ к местоположению запрещен",
"Logit Bias": "",
- "Lost": "",
+ "Lost": "Поражение",
"LTR": "LTR",
"Made by Open WebUI Community": "Сделано сообществом OpenWebUI",
"Make sure to enclose them with": "Убедитесь, что они заключены в",
@@ -702,7 +721,6 @@
"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": "Min P",
- "Minimum Score": "Минимальный балл",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -729,8 +747,8 @@
"Model updated successfully": "Модель успешно обновлена",
"Modelfile Content": "Содержимое файла модели",
"Models": "Модели",
- "Models Access": "Доступ к Моделям",
- "Models configuration saved successfully": "Конфигурация модели успешно сохранена.",
+ "Models Access": "Доступ к моделям",
+ "Models configuration saved successfully": "Конфигурация моделей успешно сохранена.",
"Models Public Sharing": "Публичный обмен моделями",
"Mojeek Search API Key": "Ключ API для поиска Mojeek",
"more": "больше",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Вентили конвейеров",
"Plain text (.txt)": "Текст в формате .txt",
"Playground": "Песочница",
+ "Playwright Timeout (ms)": "Таймаут Playwright (мс)",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Пожалуйста, внимательно ознакомьтесь со следующими предупреждениями:",
"Please do not close the settings page while loading the model.": "Пожалуйста, не закрывайте страницу настроек во время загрузки модели.",
"Please enter a prompt": "Пожалуйста, введите подсказку",
@@ -852,7 +872,7 @@
"Private": "Частное",
"Profile Image": "Изображение профиля",
"Prompt": "Промпт",
- "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (например, Расскажи мне интересный факт о Римской империи)",
+ "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр., Расскажи мне интересный факт о Римской империи)",
"Prompt Autocompletion": "Автодополнение промпта",
"Prompt Content": "Содержание промпта",
"Prompt created successfully": "Промпт успешно создан",
@@ -878,10 +898,11 @@
"References from": "Отсылки к",
"Refused when it shouldn't have": "Отказано в доступе, когда это не должно было произойти",
"Regenerate": "Перегенерировать",
- "Reindex": "",
- "Reindex Knowledge Base Vectors": "",
+ "Reindex": "Переиндексировать",
+ "Reindex Knowledge Base Vectors": "Переиндексировать векторы базы знаний",
"Release Notes": "Примечания к выпуску",
- "Relevance": "Актуальность",
+ "Relevance": "Релевантность",
+ "Relevance Threshold": "Порог релевантности",
"Remove": "Удалить",
"Remove Model": "Удалить модель",
"Rename": "Переименовать",
@@ -1004,13 +1025,15 @@
"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 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}}",
+ "Sign up to {{WEBUI_NAME}}": "Регистрация в {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Зарегистрироваться в {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Источник",
"Speech Playback Speed": "Скорость воспроизведения речи",
"Speech recognition error: {{error}}": "Ошибка распознавания речи: {{error}}",
@@ -1020,7 +1043,7 @@
"Stream Chat Response": "Потоковый вывод ответа",
"STT Model": "Модель распознавания речи",
"STT Settings": "Настройки распознавания речи",
- "Subtitle (e.g. about the Roman Empire)": "Подзаголовок (например, о Римской империи)",
+ "Subtitle (e.g. about the Roman Empire)": "Подзаголовок (напр., о Римской империи)",
"Success": "Успех",
"Successfully updated.": "Успешно обновлено.",
"Suggested": "Предложено",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Нажмите, чтобы прервать",
"Tasks": "Задачи",
"Tavily API Key": "Ключ API Tavily",
+ "Tavily Extract Depth": "Глубина извлечения Tavily",
"Tell us more:": "Пожалуйста, расскажите нам больше:",
"Temperature": "Температура",
"Template": "Шаблон",
@@ -1160,8 +1184,8 @@
"Use Gravatar": "Использовать Gravatar",
"Use groups to group your users and assign permissions.": "Используйте группы, чтобы группировать пользователей и назначать разрешения.",
"Use Initials": "Использовать инициалы",
- "Use no proxy to fetch page contents.": "",
- "Use proxy designated by http_proxy and https_proxy environment variables to fetch page contents.": "",
+ "Use no proxy to fetch page contents.": "Не используйте прокси-сервер для получения содержимого страницы.",
+ "Use proxy designated by http_proxy and https_proxy environment variables to fetch page contents.": "Используйте прокси-сервер, обозначенный переменными окружения http_proxy и https_proxy, для получения содержимого страницы.",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "пользователь",
@@ -1179,6 +1203,7 @@
"variable": "переменная",
"variable to have them replaced with clipboard content.": "переменную, чтобы заменить их содержимым буфера обмена.",
"Verify Connection": "Проверить подключение",
+ "Verify SSL Certificate": "Проверять SSL-сертификат",
"Version": "Версия",
"Version {{selectedVersion}} of {{totalVersions}}": "Версия {{selectedVersion}} из {{totalVersions}}",
"View Replies": "С ответами",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Предупреждение: Выполнение Jupyter позволяет выполнять произвольный код, что создает серьезные угрозы безопасности — действуйте с особой осторожностью.",
"Web": "Веб",
"Web API": "Веб API",
+ "Web Loader Engine": "Движок веб-загрузчика",
"Web Search": "Веб-поиск",
"Web Search Engine": "Поисковая система",
"Web Search in Chat": "Поисковая система в чате",
@@ -1211,7 +1237,7 @@
"Whisper (Local)": "Whisper (Локально)",
"Why?": "Почему?",
"Widescreen Mode": "Широкоэкранный режим",
- "Won": "",
+ "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.": "Работает совместно с top-k. Более высокое значение (например, 0,95) приведет к более разнообразному тексту, в то время как более низкое значение (например, 0,5) приведет к созданию более сфокусированного и консервативного текста.",
"Workspace": "Рабочее пространство",
"Workspace Permissions": "Разрешения для Рабочего пространства",
diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json
index 71517352db..b0b7d62c9f 100644
--- a/src/lib/i18n/locales/sk-SK/translation.json
+++ b/src/lib/i18n/locales/sk-SK/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Všetky dokumenty",
"All models deleted successfully": "Všetky modely úspešne odstránené",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Povoliť odstránenie chatu",
"Allow Chat Deletion": "Povoliť odstránenie chatu",
"Allow Chat Edit": "Povoliť úpravu chatu",
"Allow File Upload": "Povoliť nahrávanie súborov",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Povoliť ne-lokálne hlasy",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Povoliť dočasný chat",
+ "Allow Text to Speech": "",
"Allow User Location": "Povoliť užívateľskú polohu",
"Allow Voice Interruption in Call": "Povoliť prerušenie hlasu počas hovoru",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "a",
"and {{COUNT}} more": "a {{COUNT}} ďalšie/í",
"and create a new shared link.": "a vytvoriť nový zdieľaný odkaz.",
+ "Android": "",
"API Base URL": "Základná URL adresa API",
"API Key": "API kľúč",
"API Key created.": "API kľúč bol vytvorený.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "API kľúč pre Brave Search",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Obísť overenie SSL pre webové stránky",
"Calendar": "",
"Call": "Volanie",
"Call feature is not supported when using Web STT engine": "Funkcia volania nie je podporovaná pri použití Web STT engine.",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "URL zdieľanej konverzácie skopírované do schránky!",
"Copied to clipboard": "Skopírované do schránky",
"Copy": "Kopírovať",
+ "Copy Formatted Text": "",
"Copy last code block": "Skopírujte posledný blok kódu",
"Copy last response": "Skopírujte poslednú odpoveď",
"Copy Link": "Kopírovať odkaz",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Popis",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Nenasledovali ste presne všetky inštrukcie.",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Upraviť",
"Edit Arena Model": "Upraviť Arena Model",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Zadajte URL adresu Github Raw",
"Enter Google PSE API Key": "Zadajte kľúč rozhrania API Google PSE",
"Enter Google PSE Engine Id": "Zadajte ID vyhľadávacieho mechanizmu Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Zadajte počet krokov (napr. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Zadajte vzorkovač (napr. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Zadajte ukončovaciu sekvenciu",
"Enter system prompt": "Vložte systémový prompt",
"Enter system prompt here": "",
"Enter Tavily API Key": "Zadajte API kľúč Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filter je teraz globálne povolený.",
"Filters": "Filtre",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Zistené falšovanie odtlačkov prstov: Nie je možné použiť iniciály ako avatar. Používa sa predvolený profilový obrázok.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Plynule streamujte veľké externé časti odpovedí",
"Focus chat input": "Zamerajte sa na vstup chatu",
"Folder deleted successfully": "Priečinok bol úspešne vymazaný",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybridné vyhľadávanie",
"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.": "Beriem na vedomie, že som si prečítal a chápem dôsledky svojich činov. Som si vedomý rizík spojených s vykonávaním ľubovoľného kódu a overil som dôveryhodnosť zdroja.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "Režim vstupnej stránky",
"Language": "Jazyk",
+ "Language Locales": "",
"Last Active": "Naposledy aktívny",
"Last Modified": "Posledná zmena",
"Last reply": "",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Hodnotenie správ musí byť povolené, aby bolo možné túto funkciu používať.",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Správy, ktoré odošlete po vytvorení odkazu, nebudú zdieľané. Používatelia s URL budú môcť zobraziť zdieľaný chat.",
"Min P": "Min P",
- "Minimum Score": "Minimálne skóre",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "Čistý text (.txt)",
"Playground": "",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Prosím, pozorne si prečítajte nasledujúce upozornenia:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Prosím, zadajte zadanie.",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Záznamy o vydaní",
"Relevance": "Relevancia",
+ "Relevance Threshold": "",
"Remove": "Odstrániť",
"Remove Model": "Odstrániť model",
"Rename": "Premenovať",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Zaregistrujte sa na {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Prihlasovanie do {{WEBUI_NAME}}",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Zdroj",
"Speech Playback Speed": "Rýchlosť prehrávania reči",
"Speech recognition error: {{error}}": "Chyba rozpoznávania reči: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Klepnite na prerušenie",
"Tasks": "",
"Tavily API Key": "Kľúč API pre Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Povedzte nám viac.",
"Temperature": "",
"Template": "Šablóna",
@@ -1179,6 +1203,7 @@
"variable": "premenná",
"variable to have them replaced with clipboard content.": "premennú, aby bol ich obsah nahradený obsahom schránky.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Verzia",
"Version {{selectedVersion}} of {{totalVersions}}": "Verzia {{selectedVersion}} z {{totalVersions}}",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Webové API",
+ "Web Loader Engine": "",
"Web Search": "Vyhľadávanie na webe",
"Web Search Engine": "Webový vyhľadávač",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json
index 051461f36c..c9ed9afe59 100644
--- a/src/lib/i18n/locales/sr-RS/translation.json
+++ b/src/lib/i18n/locales/sr-RS/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Сви документи",
"All models deleted successfully": "Сви модели су успешно обрисани",
+ "Allow Call": "",
"Allow Chat Controls": "Дозволи контроле ћаскања",
"Allow Chat Delete": "Дозволи брисање ћаскања",
"Allow Chat Deletion": "Дозволи брисање ћаскања",
"Allow Chat Edit": "Дозволи измену ћаскања",
"Allow File Upload": "Дозволи отпремање датотека",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Дозволи нелокалне гласове",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Дозволи привремена ћаскања",
+ "Allow Text to Speech": "",
"Allow User Location": "Дозволи корисничку локацију",
"Allow Voice Interruption in Call": "Дозволи прекид гласа у позиву",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "и",
"and {{COUNT}} more": "и још {{COUNT}}",
"and create a new shared link.": "и направи нову дељену везу.",
+ "Android": "",
"API Base URL": "Основна адреса API-ја",
"API Key": "API кључ",
"API Key created.": "API кључ направљен.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Апи кључ за храбру претрагу",
"By {{name}}": "Од {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Заобиђи SSL потврђивање за веб странице",
"Calendar": "",
"Call": "Позив",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Адреса дељеног ћаскања ископирана у оставу!",
"Copied to clipboard": "Копирано у оставу",
"Copy": "Копирај",
+ "Copy Formatted Text": "",
"Copy last code block": "Копирај последњи блок кода",
"Copy last response": "Копирај последњи одговор",
"Copy Link": "Копирај везу",
@@ -303,6 +308,7 @@
"Deleted User": "Обрисани корисници",
"Describe your knowledge base and objectives": "Опишите вашу базу знања и циљеве",
"Description": "Опис",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Упутства нису праћена у потпуности",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Измени",
"Edit Arena Model": "Измени модел арене",
"Edit Channel": "Измени канал",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Унесите Гитхуб Раw УРЛ адресу",
"Enter Google PSE API Key": "Унесите Гоогле ПСЕ АПИ кључ",
"Enter Google PSE Engine Id": "Унесите Гоогле ПСЕ ИД машине",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Унесите број корака (нпр. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Унесите секвенцу заустављања",
"Enter system prompt": "Унеси системски упит",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Откривено лажно представљање отиска прста: Немогуће је користити иницијале као аватар. Прелазак на подразумевану профилну слику.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Течно стримујте велике спољне делове одговора",
"Focus chat input": "Усредсредите унос ћаскања",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "ИБ",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Покрени знатижељу",
"Image": "Слика",
"Image Compression": "Компресија слике",
@@ -649,6 +667,7 @@
"Label": "Етикета",
"Landing Page Mode": "Режим почетне стране",
"Language": "Језик",
+ "Language Locales": "",
"Last Active": "Последња активност",
"Last Modified": "Последња измена",
"Last reply": "Последњи одговор",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "Најмањи резултат",
"Mirostat": "Миростат",
"Mirostat Eta": "Миростат Ета",
"Mirostat Tau": "Миростат Тау",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Вентили за цевоводе",
"Plain text (.txt)": "Обичан текст (.txt)",
"Playground": "Игралиште",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Напомене о издању",
"Relevance": "Примењивост",
+ "Relevance Threshold": "",
"Remove": "Уклони",
"Remove Model": "Уклони модел",
"Rename": "Преименуј",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Извор",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Грешка у препознавању говора: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "Реците нам више:",
"Temperature": "Температура",
"Template": "Шаблон",
@@ -1179,6 +1203,7 @@
"variable": "променљива",
"variable to have them replaced with clipboard content.": "променљива за замену са садржајем оставе.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Издање",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "Погледај одговоре",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Веб",
"Web API": "Веб АПИ",
+ "Web Loader Engine": "",
"Web Search": "Веб претрага",
"Web Search Engine": "Веб претраживач",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json
index 01b73bfe5c..fe9c07420d 100644
--- a/src/lib/i18n/locales/sv-SE/translation.json
+++ b/src/lib/i18n/locales/sv-SE/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "Alla dokument",
"All models deleted successfully": "Alla modeller har raderats framgångsrikt",
+ "Allow Call": "",
"Allow Chat Controls": "Tillåt chattkontroller",
"Allow Chat Delete": "Tillåt radering av chatt",
"Allow Chat Deletion": "Tillåt chattborttagning",
"Allow Chat Edit": "Tillåt redigering av chatt",
"Allow File Upload": "Tillåt filuppladdning",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Tillåt icke-lokala röster",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Tillåt tillfällig chatt",
+ "Allow Text to Speech": "",
"Allow User Location": "Tillåt användarplats",
"Allow Voice Interruption in Call": "Tillåt röstavbrott under samtal",
"Allowed Endpoints": "Tillåtna Endpoints",
@@ -79,6 +83,7 @@
"and": "och",
"and {{COUNT}} more": "och {{COUNT}} fler",
"and create a new shared link.": "och skapa en ny delad länk.",
+ "Android": "",
"API Base URL": "API-bas-URL",
"API Key": "API-nyckel",
"API Key created.": "API-nyckel skapad.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "API-nyckel för Brave Search",
"By {{name}}": "Av {{name}}",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Kringgå SSL-verifiering för webbplatser",
"Calendar": "Kalender",
"Call": "Samtal",
"Call feature is not supported when using Web STT engine": "Samtalsfunktionen är inte kompatibel med Web Tal-till-text motor",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Kopierad delad chatt-URL till urklipp!",
"Copied to clipboard": "",
"Copy": "Kopiera",
+ "Copy Formatted Text": "",
"Copy last code block": "Kopiera sista kodblock",
"Copy last response": "Kopiera sista svar",
"Copy Link": "Kopiera länk",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "Beskrivning",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Följde inte instruktionerna",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Redigera",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Ange Github Raw URL",
"Enter Google PSE API Key": "Ange Google PSE API-nyckel",
"Enter Google PSE Engine Id": "Ange Google PSE Engine Id",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "Ange antal steg (t.ex. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Ange stoppsekvens",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingeravtrycksmanipulering upptäckt: Kan inte använda initialer som avatar. Återställning till standardprofilbild.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Strömma flytande stora externa svarschunks",
"Focus chat input": "Fokusera på chattfältet",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"Hybrid Search": "Hybrid sökning",
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Språk",
+ "Language Locales": "",
"Last Active": "Senast aktiv",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "Meddelanden du skickar efter att ha skapat din länk kommer inte att delas. Användare med URL:en kommer att kunna se delad chatt.",
"Min P": "",
- "Minimum Score": "Tröskel",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Ventiler för rörledningar",
"Plain text (.txt)": "Text (.txt)",
"Playground": "Lekplats",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Versionsinformation",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "Ta bort",
"Remove Model": "Ta bort modell",
"Rename": "Byt namn",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Källa",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Fel vid taligenkänning: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "Berätta mer:",
"Temperature": "Temperatur",
"Template": "Mall",
@@ -1179,6 +1203,7 @@
"variable": "variabel",
"variable to have them replaced with clipboard content.": "variabel för att få dem ersatta med urklippsinnehåll.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} av {{totalVersions}}",
"View Replies": "Se svar",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Varning: Jupyter-exekvering möjliggör godtycklig kodkörning, vilket innebär allvarliga säkerhetsrisker - fortsätt med extrem försiktighet",
"Web": "Webb",
"Web API": "Webb-API",
+ "Web Loader Engine": "",
"Web Search": "Webbsökning",
"Web Search Engine": "Sökmotor",
"Web Search in Chat": "Webbsökning i chatten",
diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json
index c9b1acbd0b..ca20fc7dce 100644
--- a/src/lib/i18n/locales/th-TH/translation.json
+++ b/src/lib/i18n/locales/th-TH/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "เอกสารทั้งหมด",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "อนุญาตการลบการสนทนา",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "อนุญาตเสียงที่ไม่ใช่ท้องถิ่น",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "อนุญาตตำแหน่งผู้ใช้",
"Allow Voice Interruption in Call": "อนุญาตการแทรกเสียงในสาย",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "และ",
"and {{COUNT}} more": "",
"and create a new shared link.": "และสร้างลิงก์ที่แชร์ใหม่",
+ "Android": "",
"API Base URL": "URL ฐานของ API",
"API Key": "คีย์ API",
"API Key created.": "สร้างคีย์ API แล้ว",
@@ -141,7 +146,6 @@
"Brave Search API Key": "คีย์ API ของ Brave Search",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "ข้ามการตรวจสอบ SSL สำหรับเว็บไซต์",
"Calendar": "",
"Call": "โทร",
"Call feature is not supported when using Web STT engine": "ไม่รองรับฟีเจอร์การโทรเมื่อใช้เครื่องยนต์ Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "คัดลอก URL แชทที่แชร์ไปยังคลิปบอร์ดแล้ว!",
"Copied to clipboard": "",
"Copy": "คัดลอก",
+ "Copy Formatted Text": "",
"Copy last code block": "คัดลอกบล็อกโค้ดสุดท้าย",
"Copy last response": "คัดลอกการตอบสนองล่าสุด",
"Copy Link": "คัดลอกลิงก์",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "คำอธิบาย",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ไม่ได้ปฏิบัติตามคำแนะนำทั้งหมด",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "แก้ไข",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "ใส่ URL ดิบของ Github",
"Enter Google PSE API Key": "ใส่คีย์ API ของ Google PSE",
"Enter Google PSE Engine Id": "ใส่รหัสเครื่องยนต์ของ Google PSE",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "ใส่จำนวนขั้นตอน (เช่น 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "ใส่ลำดับหยุด",
"Enter system prompt": "ใส่พรอมต์ระบบ",
"Enter system prompt here": "",
"Enter Tavily API Key": "ใส่คีย์ API ของ Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "การกรองถูกเปิดใช้งานทั่วโลกแล้ว",
"Filters": "ตัวกรอง",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ตรวจพบการปลอมแปลงลายนิ้วมือ: ไม่สามารถใช้ชื่อย่อเป็นอวตารได้ ใช้รูปโปรไฟล์เริ่มต้น",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "สตรีมชิ้นส่วนการตอบสนองขนาดใหญ่จากภายนอกอย่างลื่นไหล",
"Focus chat input": "โฟกัสการป้อนแชท",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "ภาษา",
+ "Language Locales": "",
"Last Active": "ใช้งานล่าสุด",
"Last Modified": "แก้ไขล่าสุด",
"Last reply": "",
@@ -702,7 +721,6 @@
"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": "",
- "Minimum Score": "คะแนนขั้นต่ำ",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "วาล์วของไปป์ไลน์",
"Plain text (.txt)": "ไฟล์ข้อความ (.txt)",
"Playground": "สนามทดสอบ",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "โปรดตรวจสอบคำเตือนต่อไปนี้อย่างละเอียด:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "บันทึกรุ่น",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "ลบ",
"Remove Model": "ลบโมเดล",
"Rename": "เปลี่ยนชื่อ",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "แหล่งที่มา",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "ข้อผิดพลาดในการรู้จำเสียง: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "แตะเพื่อขัดจังหวะ",
"Tasks": "",
"Tavily API Key": "คีย์ API ของ Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "บอกเรามากขึ้น:",
"Temperature": "อุณหภูมิ",
"Template": "แม่แบบ",
@@ -1179,6 +1203,7 @@
"variable": "ตัวแปร",
"variable to have them replaced with clipboard content.": "ตัวแปรเพื่อให้แทนที่ด้วยเนื้อหาคลิปบอร์ด",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "เวอร์ชัน",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "เว็บ",
"Web API": "เว็บ API",
+ "Web Loader Engine": "",
"Web Search": "การค้นหาเว็บ",
"Web Search Engine": "เครื่องมือค้นหาเว็บ",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/tk-TW/translation.json b/src/lib/i18n/locales/tk-TW/translation.json
index 827e09ca2e..ef83bdf422 100644
--- a/src/lib/i18n/locales/tk-TW/translation.json
+++ b/src/lib/i18n/locales/tk-TW/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "",
+ "Allow Text to Speech": "",
"Allow User Location": "",
"Allow Voice Interruption in Call": "",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "",
"and {{COUNT}} more": "",
"and create a new shared link.": "",
+ "Android": "",
"API Base URL": "",
"API Key": "",
"API Key created.": "",
@@ -141,7 +146,6 @@
"Brave Search API Key": "",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "",
"Calendar": "",
"Call": "",
"Call feature is not supported when using Web STT engine": "",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "",
"Copied to clipboard": "",
"Copy": "",
+ "Copy Formatted Text": "",
"Copy last code block": "",
"Copy last response": "",
"Copy Link": "",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "",
"Enter Google PSE API Key": "",
"Enter Google PSE Engine Id": "",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "",
"Enter system prompt": "",
"Enter system prompt here": "",
"Enter Tavily API Key": "",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "",
"Focus chat input": "",
"Folder deleted successfully": "",
@@ -589,6 +605,8 @@
"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": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "",
+ "Language Locales": "",
"Last Active": "",
"Last Modified": "",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "",
"Min P": "",
- "Minimum Score": "",
"Mirostat": "",
"Mirostat Eta": "",
"Mirostat Tau": "",
@@ -833,6 +851,8 @@
"Pipelines Valves": "",
"Plain text (.txt)": "",
"Playground": "",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "",
"Relevance": "",
+ "Relevance Threshold": "",
"Remove": "",
"Remove Model": "",
"Rename": "",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "",
"Signing in to {{WEBUI_NAME}}": "",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "",
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "",
"Tasks": "",
"Tavily API Key": "",
+ "Tavily Extract Depth": "",
"Tell us more:": "",
"Temperature": "",
"Template": "",
@@ -1179,6 +1203,7 @@
"variable": "",
"variable to have them replaced with clipboard content.": "",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "",
"Web API": "",
+ "Web Loader Engine": "",
"Web Search": "",
"Web Search Engine": "",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json
index bc6f283865..cccf6fe4fd 100644
--- a/src/lib/i18n/locales/tr-TR/translation.json
+++ b/src/lib/i18n/locales/tr-TR/translation.json
@@ -57,13 +57,17 @@
"All": "Tüm",
"All Documents": "Tüm Belgeler",
"All models deleted successfully": "Tüm modeller başarıyla silindi",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "Sohbet Silmeye İzin Ver",
"Allow Chat Deletion": "Sohbet Silmeye İzin Ver",
"Allow Chat Edit": "Sohbet Silmeye İzin Ver",
"Allow File Upload": "Dosya Yüklemeye İzin Ver",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Yerel olmayan seslere izin verin",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Geçici Sohbetlere İzin Ver",
+ "Allow Text to Speech": "",
"Allow User Location": "Kullanıcı Konumuna İzin Ver",
"Allow Voice Interruption in Call": "Aramada Ses Kesintisine İzin Ver",
"Allowed Endpoints": "İzin Verilen Uç Noktalar",
@@ -79,6 +83,7 @@
"and": "ve",
"and {{COUNT}} more": "ve {{COUNT}} daha",
"and create a new shared link.": "ve yeni bir paylaşılan bağlantı oluşturun.",
+ "Android": "",
"API Base URL": "API Temel URL",
"API Key": "API Anahtarı",
"API Key created.": "API Anahtarı oluşturuldu.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API Anahtarı",
"By {{name}}": "{{name}} Tarafından",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "Web Siteleri için SSL doğrulamasını atlayın",
"Calendar": "Takvim",
"Call": "Arama",
"Call feature is not supported when using Web STT engine": "Web STT motoru kullanılırken arama özelliği desteklenmiyor",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Paylaşılan sohbet URL'si panoya kopyalandı!",
"Copied to clipboard": "Panoya kopyalandı",
"Copy": "Kopyala",
+ "Copy Formatted Text": "",
"Copy last code block": "Son kod bloğunu kopyala",
"Copy last response": "Son yanıtı kopyala",
"Copy Link": "Bağlantıyı Kopyala",
@@ -303,6 +308,7 @@
"Deleted User": "Kullanıcı Silindi",
"Describe your knowledge base and objectives": "Bilgi tabanınızı ve hedeflerinizi açıklayın",
"Description": "Açıklama",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Talimatları tam olarak takip etmedi",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "örn. benim_filtrem",
"e.g. my_tools": "örn. benim_araçlarım",
"e.g. Tools for performing various operations": " örn.Çeşitli işlemleri gerçekleştirmek için araçlar",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Düzenle",
"Edit Arena Model": "Arena Modelini Düzenle",
"Edit Channel": "Kanalı Düzenle",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Github Raw URL'sini girin",
"Enter Google PSE API Key": "Google PSE API Anahtarını Girin",
"Enter Google PSE Engine Id": "Google PSE Engine Id'sini Girin",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Mojeek Search API Anahtarını Girin",
"Enter Number of Steps (e.g. 50)": "Adım Sayısını Girin (örn. 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "Örnekleyiciyi Girin (örn. Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Sunucu ana bilgisayarını girin",
"Enter server label": "Sunucu etiketini girin",
"Enter server port": "Sunucu bağlantı noktasını girin",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Durdurma dizisini girin",
"Enter system prompt": "Sistem promptunu girin",
"Enter system prompt here": "",
"Enter Tavily API Key": "Tavily API Anahtarını Girin",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Filtre artık global olarak devrede",
"Filters": "Filtreler",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Parmak izi sahteciliği tespit edildi: Avatar olarak baş harfler kullanılamıyor. Varsayılan profil resmine dönülüyor.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Büyük harici yanıt chunklarını akıcı bir şekilde yayınlayın",
"Focus chat input": "Sohbet girişine odaklan",
"Folder deleted successfully": "Klasör başarıyla silindi",
@@ -589,6 +605,8 @@
"Hybrid Search": "Karma Arama",
"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.": "Eylemimin sonuçlarını okuduğumu ve anladığımı kabul ediyorum. Rastgele kod çalıştırmayla ilgili risklerin farkındayım ve kaynağın güvenilirliğini doğruladım.",
"ID": "",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Merak uyandırın",
"Image": "Görsel",
"Image Compression": "Görüntü Sıkıştırma",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "",
"Language": "Dil",
+ "Language Locales": "",
"Last Active": "Son Aktivite",
"Last Modified": "Son Düzenleme",
"Last reply": "Son yanıt",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Bu özelliği kullanmak için mesaj derecelendirmesi etkinleştirilmelidir",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Bağlantınızı oluşturduktan sonra gönderdiğiniz mesajlar paylaşılmayacaktır. URL'ye sahip kullanıcılar paylaşılan sohbeti görüntüleyebilecektir.",
"Min P": "Min P",
- "Minimum Score": "Minimum Skor",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Pipeline Valvleri",
"Plain text (.txt)": "Düz metin (.txt)",
"Playground": "Oyun Alanı",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Lütfen aşağıdaki uyarıları dikkatlice inceleyin:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "Lütfen bir prompt girin",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Sürüm Notları",
"Relevance": "İlgili",
+ "Relevance Threshold": "",
"Remove": "Kaldır",
"Remove Model": "Modeli Kaldır",
"Rename": "Yeniden Adlandır",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "{{WEBUI_NAME}}'e kaydol",
"Signing in to {{WEBUI_NAME}}": "{{WEBUI_NAME}}'e giriş yapılıyor",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Kaynak",
"Speech Playback Speed": "Konuşma Oynatma Hızı",
"Speech recognition error: {{error}}": "Konuşma tanıma hatası: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Durdurmak için dokunun",
"Tasks": "Görevler",
"Tavily API Key": "Tavily API Anahtarı",
+ "Tavily Extract Depth": "",
"Tell us more:": "Bize daha fazlasını anlat:",
"Temperature": "Temperature",
"Template": "Şablon",
@@ -1179,6 +1203,7 @@
"variable": "değişken",
"variable to have them replaced with clipboard content.": "panodaki içerikle değiştirilmesi için değişken.",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "Sürüm",
"Version {{selectedVersion}} of {{totalVersions}}": "Sürüm {{selectedVersion}} / {{totalVersions}}",
"View Replies": "Yanıtları Görüntüle",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Web Araması",
"Web Search Engine": "Web Arama Motoru",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json
index 0ad24c69de..5b2f95312f 100644
--- a/src/lib/i18n/locales/uk-UA/translation.json
+++ b/src/lib/i18n/locales/uk-UA/translation.json
@@ -57,13 +57,17 @@
"All": "Усі",
"All Documents": "Усі документи",
"All models deleted successfully": "Усі моделі видалені успішно",
+ "Allow Call": "",
"Allow Chat Controls": "Дозволити керування чатом",
"Allow Chat Delete": "Дозволити видалення чату",
"Allow Chat Deletion": "Дозволити видалення чату",
"Allow Chat Edit": "Дозволити редагування чату",
"Allow File Upload": "Дозволити завантаження файлів",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Дозволити не локальні голоси",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Дозволити тимчасовий чат",
+ "Allow Text to Speech": "",
"Allow User Location": "Доступ до місцезнаходження",
"Allow Voice Interruption in Call": "Дозволити переривання голосу під час виклику",
"Allowed Endpoints": "Дозволені кінцеві точки",
@@ -79,6 +83,7 @@
"and": "та",
"and {{COUNT}} more": "та ще {{COUNT}}",
"and create a new shared link.": "і створіть нове спільне посилання.",
+ "Android": "",
"API Base URL": "URL-адреса API",
"API Key": "Ключ API",
"API Key created.": "Ключ API створено.",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Ключ API пошуку Brave",
"By {{name}}": "Від {{name}}",
"Bypass Embedding and Retrieval": "Минути вбудовування та пошук",
- "Bypass SSL verification for Websites": "Обхід SSL-перевірки для веб-сайтів",
"Calendar": "Календар",
"Call": "Виклик",
"Call feature is not supported when using Web STT engine": "Функція виклику не підтримується при використанні Web STT (розпізнавання мовлення) рушія",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Скопійовано URL-адресу спільного чату в буфер обміну!",
"Copied to clipboard": "Скопійовано в буфер обміну",
"Copy": "Копіювати",
+ "Copy Formatted Text": "",
"Copy last code block": "Копіювати останній блок коду",
"Copy last response": "Копіювати останню відповідь",
"Copy Link": "Копіювати посилання",
@@ -303,6 +308,7 @@
"Deleted User": "Видалений користувач",
"Describe your knowledge base and objectives": "Опишіть вашу базу знань та цілі",
"Description": "Опис",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Не повністю дотримувалися інструкцій",
"Direct": "Прямий",
"Direct Connections": "Прямі з'єднання",
@@ -358,6 +364,7 @@
"e.g. my_filter": "напр., my_filter",
"e.g. my_tools": "напр., my_tools",
"e.g. Tools for performing various operations": "напр., Інструменти для виконання різних операцій",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Редагувати",
"Edit Arena Model": "Редагувати модель Arena",
"Edit Channel": "Редагувати канал",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Введіть ключ Інтелекту документа",
"Enter domains separated by commas (e.g., example.com,site.org)": "Введіть домени, розділені комами (наприклад, example.com, site.org)",
"Enter Exa API Key": "Введіть ключ API Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Введіть Raw URL-адресу Github",
"Enter Google PSE API Key": "Введіть ключ API Google PSE",
"Enter Google PSE Engine Id": "Введіть Google PSE Engine Id",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Введіть API ключ для пошуку Mojeek",
"Enter Number of Steps (e.g. 50)": "Введіть кількість кроків (напр., 50)",
"Enter Perplexity API Key": "Введіть ключ API для Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Введіть URL проксі (напр., https://user:password@host:port)",
"Enter reasoning effort": "Введіть зусилля на міркування",
"Enter Sampler (e.g. Euler a)": "Введіть семплер (напр., Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Введіть хост сервера",
"Enter server label": "Введіть мітку сервера",
"Enter server port": "Введіть порт сервера",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Введіть символ зупинки",
"Enter system prompt": "Введіть системний промт",
"Enter system prompt here": "",
"Enter Tavily API Key": "Введіть ключ API Tavily",
+ "Enter Tavily Extract Depth": "",
"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": "Введіть тайм-аут у секундах",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Фільтр увімкнено глобально",
"Filters": "Фільтри",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Виявлено підробку відбитків: Неможливо використовувати ініціали як аватар. Повернення до зображення профілю за замовчуванням.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Плавно передавати великі фрагменти зовнішніх відповідей",
"Focus chat input": "Фокус вводу чату",
"Folder deleted successfully": "Папку успішно видалено",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Запаліть цікавість",
"Image": "Зображення",
"Image Compression": "Стиснення зображень",
@@ -649,6 +667,7 @@
"Label": "Мітка",
"Landing Page Mode": "Режим головної сторінки",
"Language": "Мова",
+ "Language Locales": "",
"Last Active": "Остання активність",
"Last Modified": "Востаннє змінено",
"Last reply": "Остання відповідь",
@@ -702,7 +721,6 @@
"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": "Min P",
- "Minimum Score": "Мінімальний бал",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Клапани конвеєрів",
"Plain text (.txt)": "Простий текст (.txt)",
"Playground": "Майданчик",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Будь ласка, уважно ознайомтеся з наступними попередженнями:",
"Please do not close the settings page while loading the model.": "Будь ласка, не закривайте сторінку налаштувань під час завантаження моделі.",
"Please enter a prompt": "Будь ласка, введіть підказку",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Нотатки до випуску",
"Relevance": "Актуальність",
+ "Relevance Threshold": "",
"Remove": "Видалити",
"Remove Model": "Видалити модель",
"Rename": "Переназвати",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Зареєструватися в {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Увійти в {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Джерело",
"Speech Playback Speed": "Швидкість відтворення мовлення",
"Speech recognition error: {{error}}": "Помилка розпізнавання мови: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Натисніть, щоб перервати",
"Tasks": "Завдання",
"Tavily API Key": "Ключ API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Розкажи нам більше:",
"Temperature": "Температура",
"Template": "Шаблон",
@@ -1179,6 +1203,7 @@
"variable": "змінна",
"variable to have them replaced with clipboard content.": "змінна, щоб замінити їх вмістом буфера обміну.",
"Verify Connection": "Перевірити з'єднання",
+ "Verify SSL Certificate": "",
"Version": "Версія",
"Version {{selectedVersion}} of {{totalVersions}}": "Версія {{selectedVersion}} з {{totalVersions}}",
"View Replies": "Переглянути відповіді",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Попередження: Виконання коду в Jupyter дозволяє виконувати任 будь-який код, що становить серйозні ризики для безпеки — дійте з крайньою обережністю.",
"Web": "Веб",
"Web API": "Веб-API",
+ "Web Loader Engine": "",
"Web Search": "Веб-Пошук",
"Web Search Engine": "Веб-пошукова система",
"Web Search in Chat": "Пошук в інтернеті в чаті",
diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json
index 5a33341e02..6110aa8206 100644
--- a/src/lib/i18n/locales/ur-PK/translation.json
+++ b/src/lib/i18n/locales/ur-PK/translation.json
@@ -57,13 +57,17 @@
"All": "",
"All Documents": "تمام دستاویزات",
"All models deleted successfully": "",
+ "Allow Call": "",
"Allow Chat Controls": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "چیٹ کو حذف کرنے کی اجازت دیں",
"Allow Chat Edit": "",
"Allow File Upload": "",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "غیر مقامی آوازوں کی اجازت دیں",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "عارضی چیٹ کی اجازت دیں",
+ "Allow Text to Speech": "",
"Allow User Location": "صارف کی مقام کی اجازت دیں",
"Allow Voice Interruption in Call": "کال میں آواز کی مداخلت کی اجازت دیں",
"Allowed Endpoints": "",
@@ -79,6 +83,7 @@
"and": "اور",
"and {{COUNT}} more": "اور {{COUNT}} مزید",
"and create a new shared link.": "اور ایک نیا مشترکہ لنک بنائیں",
+ "Android": "",
"API Base URL": "API بنیادی URL",
"API Key": "اے پی آئی کلید",
"API Key created.": "اے پی آئی کلید بنائی گئی",
@@ -141,7 +146,6 @@
"Brave Search API Key": "بریو سرچ API کلید",
"By {{name}}": "",
"Bypass Embedding and Retrieval": "",
- "Bypass SSL verification for Websites": "ویب سائٹس کے لیے SSL تصدیق کو نظر انداز کریں",
"Calendar": "",
"Call": "کال کریں",
"Call feature is not supported when using Web STT engine": "کال کی خصوصیت ویب STT انجن استعمال کرتے وقت معاونت یافتہ نہیں ہے",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "مشترکہ چیٹ یو آر ایل کلپ بورڈ میں نقل کر دیا گیا!",
"Copied to clipboard": "کلپ بورڈ پر نقل کر دیا گیا",
"Copy": "نقل کریں",
+ "Copy Formatted Text": "",
"Copy last code block": "آخری کوڈ بلاک نقل کریں",
"Copy last response": "آخری جواب کاپی کریں",
"Copy Link": "لنک کاپی کریں",
@@ -303,6 +308,7 @@
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Description": "تفصیل",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "ہدایات کو مکمل طور پر نہیں سمجھا",
"Direct": "",
"Direct Connections": "",
@@ -358,6 +364,7 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "ترمیم کریں",
"Edit Arena Model": "ایرینا ماڈل میں ترمیم کریں",
"Edit Channel": "",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "",
"Enter domains separated by commas (e.g., example.com,site.org)": "",
"Enter Exa API Key": "",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "گیٹ ہب را یو آر ایل درج کریں",
"Enter Google PSE API Key": "گوگل PSE API کلید درج کریں",
"Enter Google PSE Engine Id": "گوگل پی ایس ای انجن آئی ڈی درج کریں",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "",
"Enter Number of Steps (e.g. 50)": "درج کریں مراحل کی تعداد (جیسے 50)",
"Enter Perplexity API Key": "",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "",
"Enter reasoning effort": "",
"Enter Sampler (e.g. Euler a)": "نمونہ درج کریں (مثال: آئلر a)",
@@ -441,10 +452,13 @@
"Enter server host": "",
"Enter server label": "",
"Enter server port": "",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "اسٹاپ ترتیب درج کریں",
"Enter system prompt": "سسٹم پرامپٹ درج کریں",
"Enter system prompt here": "",
"Enter Tavily API Key": "Tavily API کلید درج کریں",
+ "Enter Tavily Extract Depth": "",
"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": "",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "فلٹر اب عالمی طور پر فعال ہے",
"Filters": "فلٹرز",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "فنگر پرنٹ اسپورفنگ کا پتہ چلا: اوتار کے طور پر ابتدائی حروف استعمال کرنے سے قاصر ڈیفالٹ پروفائل تصویر منتخب کی جا رہی ہے",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "بڑے بیرونی جوابات کے حصوں کو بہاؤ میں منتقل کریں",
"Focus chat input": "چیٹ ان پٹ پر توجہ مرکوز کریں",
"Folder deleted successfully": "پوشہ کامیابی سے حذف ہو گیا",
@@ -589,6 +605,8 @@
"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": "شناخت",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
@@ -649,6 +667,7 @@
"Label": "",
"Landing Page Mode": "لینڈر صفحہ موڈ",
"Language": "زبان",
+ "Language Locales": "",
"Last Active": "آخری سرگرمی",
"Last Modified": "آخری ترمیم",
"Last reply": "",
@@ -702,7 +721,6 @@
"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.": "آپ کے لنک بنانے کے بعد بھیجے گئے پیغامات شیئر نہیں کیے جائیں گے یو آر ایل والے صارفین شیئر کیا گیا چیٹ دیکھ سکیں گے",
"Min P": "کم سے کم P",
- "Minimum Score": "کم از کم اسکور",
"Mirostat": "میروسٹیٹ",
"Mirostat Eta": "میروسٹیٹ ایٹا",
"Mirostat Tau": "میروسٹیٹ ٹاؤ",
@@ -833,6 +851,8 @@
"Pipelines Valves": "پائپ لائنز والوز",
"Plain text (.txt)": "سادہ متن (.txt)",
"Playground": "کھیل کا میدان",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "براہ کرم درج ذیل انتباہات کو احتیاط سے پڑھیں:",
"Please do not close the settings page while loading the model.": "",
"Please enter a prompt": "براہ کرم ایک پرامپٹ درج کریں",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "ریلیز نوٹس",
"Relevance": "موزونیت",
+ "Relevance Threshold": "",
"Remove": "ہٹا دیں",
"Remove Model": "ماڈل ہٹائیں",
"Rename": "تبدیل نام کریں",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "{{WEBUI_NAME}} میں سائن اپ کریں",
"Signing in to {{WEBUI_NAME}}": "{{WEBUI_NAME}} میں سائن اِن کر رہے ہیں",
"sk-1234": "",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "ماخذ",
"Speech Playback Speed": "تقریر پلے بیک کی رفتار",
"Speech recognition error: {{error}}": "تقریر کی پہچان کی خرابی: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "رکنے کے لئے ٹچ کریں",
"Tasks": "",
"Tavily API Key": "ٹاویلی API کلید",
+ "Tavily Extract Depth": "",
"Tell us more:": "ہمیں مزید بتائیں:",
"Temperature": "درجہ حرارت",
"Template": "سانچہ",
@@ -1179,6 +1203,7 @@
"variable": "متغیر",
"variable to have them replaced with clipboard content.": "انہیں کلپ بورڈ کے مواد سے تبدیل کرنے کے لیے متغیر",
"Verify Connection": "",
+ "Verify SSL Certificate": "",
"Version": "ورژن",
"Version {{selectedVersion}} of {{totalVersions}}": "ورژن {{selectedVersion}} کا {{totalVersions}} میں سے",
"View Replies": "",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "",
"Web": "ویب",
"Web API": "ویب اے پی آئی",
+ "Web Loader Engine": "",
"Web Search": "ویب تلاش کریں",
"Web Search Engine": "ویب تلاش انجن",
"Web Search in Chat": "",
diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json
index c79b1c8b01..464c374f8e 100644
--- a/src/lib/i18n/locales/vi-VN/translation.json
+++ b/src/lib/i18n/locales/vi-VN/translation.json
@@ -57,13 +57,17 @@
"All": "Tất cả",
"All Documents": "Tất cả tài liệu",
"All models deleted successfully": "Tất cả các mô hình đã được xóa thành công",
+ "Allow Call": "",
"Allow Chat Controls": "Cho phép Điều khiển Chat",
"Allow Chat Delete": "Cho phép Xóa Chat",
"Allow Chat Deletion": "Cho phép Xóa nội dung chat",
"Allow Chat Edit": "Cho phép Chỉnh sửa Chat",
"Allow File Upload": "Cho phép Tải tệp lên",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Cho phép giọng nói không bản xứ",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "Cho phép Chat nháp",
+ "Allow Text to Speech": "",
"Allow User Location": "Cho phép sử dụng vị trí người dùng",
"Allow Voice Interruption in Call": "Cho phép gián đoạn giọng nói trong cuộc gọi",
"Allowed Endpoints": "Các Endpoint được phép",
@@ -79,6 +83,7 @@
"and": "và",
"and {{COUNT}} more": "và {{COUNT}} mục khác",
"and create a new shared link.": "và tạo một link chia sẻ mới",
+ "Android": "",
"API Base URL": "Đường dẫn tới API (API Base URL)",
"API Key": "API Key",
"API Key created.": "Khóa API đã tạo",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Khóa API tìm kiếm dũng cảm",
"By {{name}}": "Bởi {{name}}",
"Bypass Embedding and Retrieval": "Bỏ qua Embedding và Truy xuất",
- "Bypass SSL verification for Websites": "Bỏ qua xác thực SSL cho các trang web",
"Calendar": "Lịch",
"Call": "Gọi",
"Call feature is not supported when using Web STT engine": "Tính năng gọi điện không được hỗ trợ khi sử dụng công cụ Web STT",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "Đã sao chép link chia sẻ trò chuyện vào clipboard!",
"Copied to clipboard": "Đã sao chép vào clipboard",
"Copy": "Sao chép",
+ "Copy Formatted Text": "",
"Copy last code block": "Sao chép khối mã cuối cùng",
"Copy last response": "Sao chép phản hồi cuối cùng",
"Copy Link": "Sao chép link",
@@ -303,6 +308,7 @@
"Deleted User": "Người dùng đã xóa",
"Describe your knowledge base and objectives": "Mô tả cơ sở kiến thức và mục tiêu của bạn",
"Description": "Mô tả",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "Không tuân theo chỉ dẫn một cách đầy đủ",
"Direct": "Trực tiếp",
"Direct Connections": "Kết nối Trực tiếp",
@@ -358,6 +364,7 @@
"e.g. my_filter": "vd: bo_loc_cua_toi",
"e.g. my_tools": "vd: cong_cu_cua_toi",
"e.g. Tools for performing various operations": "vd: Các công cụ để thực hiện các hoạt động khác nhau",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "Chỉnh sửa",
"Edit Arena Model": "Chỉnh sửa Mô hình Arena",
"Edit Channel": "Chỉnh sửa Kênh",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "Nhập Khóa Trí tuệ Tài liệu",
"Enter domains separated by commas (e.g., example.com,site.org)": "Nhập các tên miền được phân tách bằng dấu phẩy (ví dụ: example.com,site.org)",
"Enter Exa API Key": "Nhập Khóa API Exa",
+ "Enter Firecrawl API Base URL": "",
+ "Enter Firecrawl API Key": "",
"Enter Github Raw URL": "Nhập URL cho Github Raw",
"Enter Google PSE API Key": "Nhập Google PSE API Key",
"Enter Google PSE Engine Id": "Nhập Google PSE Engine Id",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "Nhập Khóa API Mojeek Search",
"Enter Number of Steps (e.g. 50)": "Nhập số Steps (vd: 50)",
"Enter Perplexity API Key": "Nhập Khóa API Perplexity",
+ "Enter Playwright Timeout": "",
+ "Enter Playwright WebSocket URL": "",
"Enter proxy URL (e.g. https://user:password@host:port)": "Nhập URL proxy (vd: https://user:password@host:port)",
"Enter reasoning effort": "Nhập nỗ lực suy luận",
"Enter Sampler (e.g. Euler a)": "Nhập Sampler (vd: Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "Nhập host máy chủ",
"Enter server label": "Nhập nhãn máy chủ",
"Enter server port": "Nhập cổng máy chủ",
+ "Enter Sougou Search API sID": "",
+ "Enter Sougou Search API SK": "",
"Enter stop sequence": "Nhập stop sequence",
"Enter system prompt": "Nhập system prompt",
"Enter system prompt here": "Nhập system prompt tại đây",
"Enter Tavily API Key": "Nhập Tavily API Key",
+ "Enter Tavily Extract Depth": "",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Nhập URL công khai của WebUI của bạn. URL này sẽ được sử dụng để tạo liên kết trong các thông báo.",
"Enter Tika Server URL": "Nhập URL cho Tika Server",
"Enter timeout in seconds": "Nhập thời gian chờ tính bằng giây",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "Bộ lọc hiện được kích hoạt trên toàn hệ thống",
"Filters": "Lọc",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Phát hiện giả mạo vân tay: Không thể sử dụng tên viết tắt làm hình đại diện. Mặc định là hình ảnh hồ sơ mặc định.",
+ "Firecrawl API Base URL": "",
+ "Firecrawl API Key": "",
"Fluidly stream large external response chunks": "Truyền tải các khối phản hồi bên ngoài lớn một cách trôi chảy",
"Focus chat input": "Tập trung vào nội dung chat",
"Folder deleted successfully": "Xóa thư mục thành công",
@@ -589,6 +605,8 @@
"Hybrid Search": "Tìm kiếm Hybrid",
"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.": "Tôi thừa nhận rằng tôi đã đọc và tôi hiểu ý nghĩa của hành động của mình. Tôi nhận thức được những rủi ro liên quan đến việc thực thi mã tùy ý và tôi đã xác minh độ tin cậy của nguồn.",
"ID": "ID",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "Khơi dậy sự tò mò",
"Image": "Ảnh",
"Image Compression": "Nén Ảnh",
@@ -649,6 +667,7 @@
"Label": "Nhãn",
"Landing Page Mode": "Chế độ Trang Đích",
"Language": "Ngôn ngữ",
+ "Language Locales": "",
"Last Active": "Truy cập gần nhất",
"Last Modified": "Lần sửa gần nhất",
"Last reply": "Trả lời cuối",
@@ -702,7 +721,6 @@
"Message rating should be enabled to use this feature": "Cần bật tính năng đánh giá tin nhắn để sử dụng tính năng này",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Tin nhắn bạn gửi sau khi tạo liên kết sẽ không được chia sẻ. Người dùng có URL sẽ có thể xem cuộc trò chuyện được chia sẻ.",
"Min P": "Min P",
- "Minimum Score": "Score tối thiểu",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "Các Valve của Pipeline",
"Plain text (.txt)": "Văn bản thô (.txt)",
"Playground": "Thử nghiệm (Playground)",
+ "Playwright Timeout (ms)": "",
+ "Playwright WebSocket URL": "",
"Please carefully review the following warnings:": "Vui lòng xem xét cẩn thận các cảnh báo sau:",
"Please do not close the settings page while loading the model.": "Vui lòng không đóng trang cài đặt trong khi tải mô hình.",
"Please enter a prompt": "Vui lòng nhập một prompt",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "",
"Release Notes": "Mô tả những cập nhật mới",
"Relevance": "Mức độ liên quan",
+ "Relevance Threshold": "",
"Remove": "Xóa",
"Remove Model": "Xóa model",
"Rename": "Đổi tên",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "Đăng ký {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "Đang đăng nhập vào {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "",
+ "Sougou Search API SK": "",
"Source": "Nguồn",
"Speech Playback Speed": "Tốc độ Phát lại Lời nói",
"Speech recognition error: {{error}}": "Lỗi nhận dạng giọng nói: {{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "Chạm để ngừng",
"Tasks": "Tác vụ",
"Tavily API Key": "Khóa API Tavily",
+ "Tavily Extract Depth": "",
"Tell us more:": "Hãy cho chúng tôi hiểu thêm về chất lượng của câu trả lời:",
"Temperature": "Mức độ sáng tạo",
"Template": "Mẫu",
@@ -1179,6 +1203,7 @@
"variable": "biến",
"variable to have them replaced with clipboard content.": "biến để chúng được thay thế bằng nội dung clipboard.",
"Verify Connection": "Xác minh Kết nối",
+ "Verify SSL Certificate": "",
"Version": "Phiên bản",
"Version {{selectedVersion}} of {{totalVersions}}": "Phiên bản {{selectedVersion}} của {{totalVersions}}",
"View Replies": "Xem các Trả lời",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "Cảnh báo: Thực thi Jupyter cho phép thực thi mã tùy ý, gây ra rủi ro bảo mật nghiêm trọng—hãy tiến hành hết sức thận trọng.",
"Web": "Web",
"Web API": "Web API",
+ "Web Loader Engine": "",
"Web Search": "Tìm kiếm Web",
"Web Search Engine": "Chức năng Tìm kiếm Web",
"Web Search in Chat": "Tìm kiếm Web trong Chat",
diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json
index 433ffeb16e..f775849a4a 100644
--- a/src/lib/i18n/locales/zh-CN/translation.json
+++ b/src/lib/i18n/locales/zh-CN/translation.json
@@ -57,13 +57,17 @@
"All": "全部",
"All Documents": "所有文档",
"All models deleted successfully": "所有模型删除成功",
+ "Allow Call": "",
"Allow Chat Controls": "允许对话高级设置",
"Allow Chat Delete": "允许删除对话记录",
"Allow Chat Deletion": "允许删除对话记录",
"Allow Chat Edit": "允许编辑对话记录",
"Allow File Upload": "允许上传文件",
+ "Allow Multiple Models in Chat": "",
"Allow non-local voices": "允许调用非本地音色",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "允许临时对话",
+ "Allow Text to Speech": "",
"Allow User Location": "允许获取您的位置",
"Allow Voice Interruption in Call": "允许通话中的打断语音",
"Allowed Endpoints": "允许的端点",
@@ -79,7 +83,8 @@
"and": "和",
"and {{COUNT}} more": "还有 {{COUNT}} 个",
"and create a new shared link.": "并创建一个新的分享链接。",
- "API Base URL": "API 基础地址",
+ "Android": "",
+ "API Base URL": "API 请求地址",
"API Key": "API 密钥",
"API Key created.": "API 密钥已创建。",
"API Key Endpoint Restrictions": "API 密钥端点限制",
@@ -118,8 +123,8 @@
"Autocomplete Generation Input Max Length": "输入框内容自动补全输入最大长度",
"Automatic1111": "Automatic1111",
"AUTOMATIC1111 Api Auth String": "AUTOMATIC1111 Api 鉴权字符串",
- "AUTOMATIC1111 Base URL": "AUTOMATIC1111 基础地址",
- "AUTOMATIC1111 Base URL is required.": "需要 AUTOMATIC1111 基础地址。",
+ "AUTOMATIC1111 Base URL": "AUTOMATIC1111 请求地址",
+ "AUTOMATIC1111 Base URL is required.": "需要 AUTOMATIC1111 请求地址。",
"Available list": "可用列表",
"Available Tools": "可用工具",
"available!": "版本可用!",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave Search API 密钥",
"By {{name}}": "由 {{name}} 提供",
"Bypass Embedding and Retrieval": "绕过嵌入和检索",
- "Bypass SSL verification for Websites": "绕过网站的 SSL 验证",
"Calendar": "日历",
"Call": "呼叫",
"Call feature is not supported when using Web STT engine": "使用 Web 语音转文字引擎时不支持呼叫功能。",
@@ -206,8 +210,8 @@
"Color": "颜色",
"ComfyUI": "ComfyUI",
"ComfyUI API Key": "ComfyUI API 密钥",
- "ComfyUI Base URL": "ComfyUI 基础地址",
- "ComfyUI Base URL is required.": "ComfyUI 基础地址为必需填写。",
+ "ComfyUI Base URL": "ComfyUI 请求地址",
+ "ComfyUI Base URL is required.": "ComfyUI 请求地址为必需填写。",
"ComfyUI Workflow": "ComfyUI 工作流",
"ComfyUI Workflow Nodes": "ComfyUI 工作流节点",
"Command": "命令",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "已复制此对话分享链接至剪贴板!",
"Copied to clipboard": "已复制到剪贴板",
"Copy": "复制",
+ "Copy Formatted Text": "",
"Copy last code block": "复制最后一个代码块中的代码",
"Copy last response": "复制最后一次回复内容",
"Copy Link": "复制链接",
@@ -303,6 +308,7 @@
"Deleted User": "已删除用户",
"Describe your knowledge base and objectives": "描述您的知识库和目标",
"Description": "描述",
+ "Detect Artifacts Automatically": "",
"Didn't fully follow instructions": "没有完全遵照指示",
"Direct": "直接",
"Direct Connections": "直接连接",
@@ -358,6 +364,7 @@
"e.g. my_filter": "例如:my_filter",
"e.g. my_tools": "例如:my_tools",
"e.g. Tools for performing various operations": "例如:用于执行各种操作的工具",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "",
"Edit": "编辑",
"Edit Arena Model": "编辑竞技场模型",
"Edit Channel": "编辑频道",
@@ -405,8 +412,10 @@
"Enter Docling Server URL": "输入 Docling 服务器 URL",
"Enter Document Intelligence Endpoint": "输入 Document Intelligence 端点",
"Enter Document Intelligence Key": "输入 Document Intelligence 密钥",
- "Enter domains separated by commas (e.g., example.com,site.org)": "输入以逗号分隔的域名(例如:example.com、site.org)",
+ "Enter domains separated by commas (e.g., example.com,site.org)": "输入以逗号分隔的域名(例如:example.com,site.org)",
"Enter Exa API Key": "输入 Exa API 密钥",
+ "Enter Firecrawl API Base URL": "输入 Firecrawl API 请求地址",
+ "Enter Firecrawl API Key": "输入 Firecrawl API 密钥",
"Enter Github Raw URL": "输入 Github Raw 地址",
"Enter Google PSE API Key": "输入 Google PSE API 密钥",
"Enter Google PSE Engine Id": "输入 Google PSE 引擎 ID",
@@ -424,8 +433,8 @@
"Enter Mojeek Search API Key": "输入 Mojeek Search API 密钥",
"Enter Number of Steps (e.g. 50)": "输入步骤数 (Steps) (例如:50)",
"Enter Perplexity API Key": "输入 Perplexity API 密钥",
- "Enter Sougou Search API sID": "输入搜狗搜索 API 的 Secret ID",
- "Enter Sougou Search API SK": "输入搜狗搜索 API 的 Secret Key",
+ "Enter Playwright Timeout": "输入 Playwright 超时时间",
+ "Enter Playwright WebSocket URL": "输入 Playwright WebSocket URL",
"Enter proxy URL (e.g. https://user:password@host:port)": "输入代理 URL (例如:https://用户名:密码@主机名:端口)",
"Enter reasoning effort": "设置推理努力",
"Enter Sampler (e.g. Euler a)": "输入 Sampler (例如:Euler a)",
@@ -443,10 +452,13 @@
"Enter server host": "输入服务器主机名 ",
"Enter server label": "输入服务器标签",
"Enter server port": "输入服务器端口",
+ "Enter Sougou Search API sID": "输入搜狗搜索 API 的 Secret ID",
+ "Enter Sougou Search API SK": "输入搜狗搜索 API 的 Secret Key",
"Enter stop sequence": "输入停止序列 (Stop Sequence)",
"Enter system prompt": "输入系统提示词 (Prompt)",
"Enter system prompt here": "在这里输入系统提示词 (Prompt)",
"Enter Tavily API Key": "输入 Tavily API 密钥",
+ "Enter Tavily Extract Depth": "输入 Tavily 提取深度",
"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": "输入以秒为单位的超时时间",
@@ -527,6 +539,8 @@
"Filter is now globally enabled": "过滤器已全局启用",
"Filters": "过滤器",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "检测到指纹伪造:无法使用姓名缩写作为头像。默认使用默认个人形象。",
+ "Firecrawl API Base URL": "Firecrawl API 请求地址",
+ "Firecrawl API Key": "Firecrawl API 密钥",
"Fluidly stream large external response chunks": "流畅地传输外部大型响应块数据",
"Focus chat input": "聚焦对话输入",
"Folder deleted successfully": "分组删除成功",
@@ -591,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "",
+ "iframe Sandbox Allow Same Origin": "",
"Ignite curiosity": "点燃好奇心",
"Image": "图像生成",
"Image Compression": "图像压缩",
@@ -651,6 +667,7 @@
"Label": "标签",
"Landing Page Mode": "默认主页样式",
"Language": "语言",
+ "Language Locales": "",
"Last Active": "最后在线时间",
"Last Modified": "最后修改时间",
"Last reply": "最后回复",
@@ -704,7 +721,6 @@
"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": "Min P",
- "Minimum Score": "最低分",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -824,8 +840,6 @@
"Permission denied when accessing microphone: {{error}}": "申请麦克风权限被拒绝:{{error}}",
"Permissions": "权限",
"Perplexity API Key": "Perplexity API 密钥",
- "Sougou Search API sID": "搜狗搜索 API 的 Secret ID",
- "Sougou Search API SK": "搜狗搜索 API 的 Secret Key",
"Personalization": "个性化",
"Pin": "置顶",
"Pinned": "已置顶",
@@ -837,6 +851,8 @@
"Pipelines Valves": "Pipeline 值",
"Plain text (.txt)": "TXT 文档 (.txt)",
"Playground": "AI 对话游乐场",
+ "Playwright Timeout (ms)": "Playwright 超时时间 (ms)",
+ "Playwright WebSocket URL": "Playwright WebSocket URL",
"Please carefully review the following warnings:": "请仔细阅读以下警告信息:",
"Please do not close the settings page while loading the model.": "加载模型时请不要关闭设置页面。",
"Please enter a prompt": "请输入一个 Prompt",
@@ -886,6 +902,7 @@
"Reindex Knowledge Base Vectors": "重建知识库向量",
"Release Notes": "更新日志",
"Relevance": "相关性",
+ "Relevance Threshold": "",
"Remove": "移除",
"Remove Model": "移除模型",
"Rename": "重命名",
@@ -1015,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "注册 {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "正在登录 {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "搜狗搜索 API 的 Secret ID",
+ "Sougou Search API SK": "搜狗搜索 API 的 Secret Key",
"Source": "来源",
"Speech Playback Speed": "语音播放速度",
"Speech recognition error: {{error}}": "语音识别错误:{{error}}",
@@ -1042,6 +1061,7 @@
"Tap to interrupt": "点击以中断",
"Tasks": "任务",
"Tavily API Key": "Tavily API 密钥",
+ "Tavily Extract Depth": "Tavily 提取深度",
"Tell us more:": "请告诉我们更多细节",
"Temperature": "温度 (Temperature)",
"Template": "模板",
@@ -1183,6 +1203,7 @@
"variable": "变量",
"variable to have them replaced with clipboard content.": "变量将被剪贴板内容替换。",
"Verify Connection": "验证连接",
+ "Verify SSL Certificate": "",
"Version": "版本",
"Version {{selectedVersion}} of {{totalVersions}}": "版本 {{selectedVersion}}/{{totalVersions}}",
"View Replies": "查看回复",
@@ -1197,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "警告:Jupyter 执行允许任意代码执行,存在严重的安全风险——请极其谨慎地操作。",
"Web": "网页",
"Web API": "网页 API",
+ "Web Loader Engine": "网页加载引擎",
"Web Search": "联网搜索",
"Web Search Engine": "联网搜索引擎",
"Web Search in Chat": "聊天中的网页搜索",
diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json
index a25b095363..4eb1535505 100644
--- a/src/lib/i18n/locales/zh-TW/translation.json
+++ b/src/lib/i18n/locales/zh-TW/translation.json
@@ -57,13 +57,17 @@
"All": "全部",
"All Documents": "所有文件",
"All models deleted successfully": "成功刪除所有模型",
+ "Allow Call": "",
"Allow Chat Controls": "允許控制對話",
"Allow Chat Delete": "允許刪除對話",
"Allow Chat Deletion": "允許刪除對話紀錄",
"Allow Chat Edit": "允許編輯對話",
"Allow File Upload": "允許上傳檔案",
+ "Allow Multiple Models in Chat": "允許在聊天中使用多個模型",
"Allow non-local voices": "允許非本機語音",
+ "Allow Speech to Text": "",
"Allow Temporary Chat": "允許暫時對話",
+ "Allow Text to Speech": "",
"Allow User Location": "允許使用者位置",
"Allow Voice Interruption in Call": "允許在通話中打斷語音",
"Allowed Endpoints": "允許的端點",
@@ -79,6 +83,7 @@
"and": "和",
"and {{COUNT}} more": "和另外 {{COUNT}} 個",
"and create a new shared link.": "並建立新的共用連結。",
+ "Android": "Android",
"API Base URL": "API 基礎 URL",
"API Key": "API 金鑰",
"API Key created.": "API 金鑰已建立。",
@@ -141,7 +146,6 @@
"Brave Search API Key": "Brave 搜尋 API 金鑰",
"By {{name}}": "由 {{name}} 製作",
"Bypass Embedding and Retrieval": "繞過嵌入與檢索",
- "Bypass SSL verification for Websites": "略過網站的 SSL 驗證",
"Calendar": "日曆",
"Call": "通話",
"Call feature is not supported when using Web STT engine": "使用網頁語音辨識 (Web STT) 引擎時不支援通話功能",
@@ -241,6 +245,7 @@
"Copied shared chat URL to clipboard!": "已複製共用對話 URL 到剪貼簿!",
"Copied to clipboard": "已複製到剪貼簿",
"Copy": "複製",
+ "Copy Formatted Text": "",
"Copy last code block": "複製最後一個程式碼區塊",
"Copy last response": "複製最後一個回應",
"Copy Link": "複製連結",
@@ -303,6 +308,7 @@
"Deleted User": "刪除使用者?",
"Describe your knowledge base and objectives": "描述您的知識庫和目標",
"Description": "描述",
+ "Detect Artifacts Automatically": "自動檢測 Artifacts",
"Didn't fully follow instructions": "未完全遵循指示",
"Direct": "直接",
"Direct Connections": "直接連線",
@@ -358,6 +364,7 @@
"e.g. my_filter": "例如:my_filter",
"e.g. my_tools": "例如:my_tools",
"e.g. Tools for performing various operations": "例如:用於執行各種操作的工具",
+ "e.g., en-US,ja-JP (leave blank for auto-detect)": "例如:en-US, ja-JP(留空以自動檢測)",
"Edit": "編輯",
"Edit Arena Model": "編輯競技模型",
"Edit Channel": "編輯頻道",
@@ -407,6 +414,8 @@
"Enter Document Intelligence Key": "輸入 Document Intelligence 金鑰",
"Enter domains separated by commas (e.g., example.com,site.org)": "輸入網域,以逗號分隔(例如:example.com, site.org)",
"Enter Exa API Key": "輸入 Exa API 金鑰",
+ "Enter Firecrawl API Base URL": "輸入 Firecrawl API Base URL",
+ "Enter Firecrawl API Key": "輸入 Firecrawl API 金鑰",
"Enter Github Raw URL": "輸入 GitHub Raw URL",
"Enter Google PSE API Key": "輸入 Google PSE API 金鑰",
"Enter Google PSE Engine Id": "輸入 Google PSE 引擎 ID",
@@ -424,6 +433,8 @@
"Enter Mojeek Search API Key": "輸入 Mojeek 搜尋 API 金鑰",
"Enter Number of Steps (e.g. 50)": "輸入步驟數(例如:50)",
"Enter Perplexity API Key": "輸入 Perplexity API 金鑰",
+ "Enter Playwright Timeout": "輸入 Playwright 逾時時間(毫秒)",
+ "Enter Playwright WebSocket URL": "輸入 Playwright WebSocket URL",
"Enter proxy URL (e.g. https://user:password@host:port)": "輸入代理程式 URL(例如:https://user:password@host:port)",
"Enter reasoning effort": "輸入推理程度",
"Enter Sampler (e.g. Euler a)": "輸入取樣器(例如:Euler a)",
@@ -441,10 +452,13 @@
"Enter server host": "輸入伺服器主機",
"Enter server label": "輸入伺服器標籤",
"Enter server port": "輸入伺服器連接埠",
+ "Enter Sougou Search API sID": "輸入 搜狗搜索 API sID",
+ "Enter Sougou Search API SK": "輸入 搜狗搜索 API SK",
"Enter stop sequence": "輸入停止序列",
"Enter system prompt": "輸入系統提示詞",
"Enter system prompt here": "在此輸入系統提示詞",
"Enter Tavily API Key": "輸入 Tavily API 金鑰",
+ "Enter Tavily Extract Depth": "輸入 Tavily 提取深度",
"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": "請以秒為單位輸入超時時間",
@@ -525,6 +539,8 @@
"Filter is now globally enabled": "篩選器現在已全域啟用",
"Filters": "篩選器",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "偵測到指紋偽造:無法使用姓名縮寫作為大頭貼。將預設為預設個人檔案圖片。",
+ "Firecrawl API Base URL": "Firecrawl API Base URL",
+ "Firecrawl API Key": "Firecrawl API 金鑰",
"Fluidly stream large external response chunks": "流暢地串流大型外部回應區塊",
"Focus chat input": "聚焦對話輸入",
"Folder deleted successfully": "資料夾刪除成功",
@@ -589,6 +605,8 @@
"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",
+ "iframe Sandbox Allow Forms": "iframe 沙盒允許表單",
+ "iframe Sandbox Allow Same Origin": "iframe 沙盒允許同源",
"Ignite curiosity": "點燃好奇心",
"Image": "圖片",
"Image Compression": "圖片壓縮",
@@ -649,6 +667,7 @@
"Label": "標籤",
"Landing Page Mode": "首頁模式",
"Language": "語言",
+ "Language Locales": "語言區域設定",
"Last Active": "上次活動時間",
"Last Modified": "上次修改時間",
"Last reply": "上次回覆",
@@ -702,7 +721,6 @@
"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.": "建立連結後傳送的訊息不會被分享。擁有網址的使用者可檢視分享的對話內容。",
"Min P": "最小 P 值",
- "Minimum Score": "最低分數",
"Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta",
"Mirostat Tau": "Mirostat Tau",
@@ -833,6 +851,8 @@
"Pipelines Valves": "管線閥門",
"Plain text (.txt)": "純文字 (.txt)",
"Playground": "遊樂場",
+ "Playwright Timeout (ms)": "Playwright 逾時時間(毫秒)",
+ "Playwright WebSocket URL": "Playwright WebSocket URL",
"Please carefully review the following warnings:": "請仔細閱讀以下警告:",
"Please do not close the settings page while loading the model.": "載入模型時,請勿關閉設定頁面。",
"Please enter a prompt": "請輸入提示詞",
@@ -882,6 +902,7 @@
"Reindex Knowledge Base Vectors": "重新索引知識庫向量",
"Release Notes": "釋出説明",
"Relevance": "相關性",
+ "Relevance Threshold": "相關性閾值",
"Remove": "移除",
"Remove Model": "移除模型",
"Rename": "重新命名",
@@ -1011,6 +1032,8 @@
"Sign up to {{WEBUI_NAME}}": "註冊 {{WEBUI_NAME}}",
"Signing in to {{WEBUI_NAME}}": "正在登入 {{WEBUI_NAME}}",
"sk-1234": "sk-1234",
+ "Sougou Search API sID": "搜狗搜索 API sID",
+ "Sougou Search API SK": "搜狗搜索 API SK",
"Source": "來源",
"Speech Playback Speed": "語音播放速度",
"Speech recognition error: {{error}}": "語音辨識錯誤:{{error}}",
@@ -1038,6 +1061,7 @@
"Tap to interrupt": "點選以中斷",
"Tasks": "任務",
"Tavily API Key": "Tavily API 金鑰",
+ "Tavily Extract Depth": "Tavily 提取深度",
"Tell us more:": "告訴我們更多:",
"Temperature": "溫度",
"Template": "範本",
@@ -1179,6 +1203,7 @@
"variable": "變數",
"variable to have them replaced with clipboard content.": "變數,以便將其替換為剪貼簿內容。",
"Verify Connection": "驗證連線",
+ "Verify SSL Certificate": "驗證 SSL 憑證",
"Version": "版本",
"Version {{selectedVersion}} of {{totalVersions}}": "第 {{selectedVersion}} 版,共 {{totalVersions}} 版",
"View Replies": "檢視回覆",
@@ -1193,6 +1218,7 @@
"Warning: Jupyter execution enables arbitrary code execution, posing severe security risks—proceed with extreme caution.": "警告:Jupyter 執行允許任意程式碼執行,構成嚴重安全風險——請務必極度謹慎。",
"Web": "網頁",
"Web API": "網頁 API",
+ "Web Loader Engine": "網頁載入引擎",
"Web Search": "網頁搜尋",
"Web Search Engine": "網頁搜尋引擎",
"Web Search in Chat": "在對話中進行網路搜尋",
diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts
index bcf39f76dc..022a901c19 100644
--- a/src/lib/utils/index.ts
+++ b/src/lib/utils/index.ts
@@ -15,6 +15,11 @@ dayjs.extend(localizedFormat);
import { WEBUI_BASE_URL } from '$lib/constants';
import { TTS_RESPONSE_SPLIT } from '$lib/types';
+import { marked } from 'marked';
+import markedExtension from '$lib/utils/marked/extension';
+import markedKatexExtension from '$lib/utils/marked/katex-extension';
+import hljs from 'highlight.js';
+
//////////////////////////
// Helper functions
//////////////////////////
@@ -309,46 +314,129 @@ export const formatDate = (inputDate) => {
}
};
-export const copyToClipboard = async (text) => {
- let result = false;
- if (!navigator.clipboard) {
- const textArea = document.createElement('textarea');
- textArea.value = text;
+export const copyToClipboard = async (text, formatted = false) => {
+ if (formatted) {
+ const options = {
+ throwOnError: false,
+ highlight: function (code, lang) {
+ const language = hljs.getLanguage(lang) ? lang : 'plaintext';
+ return hljs.highlight(code, { language }).value;
+ }
+ };
+ marked.use(markedKatexExtension(options));
+ marked.use(markedExtension(options));
- // Avoid scrolling to bottom
- textArea.style.top = '0';
- textArea.style.left = '0';
- textArea.style.position = 'fixed';
+ const htmlContent = marked.parse(text);
- document.body.appendChild(textArea);
- textArea.focus();
- textArea.select();
+ // Add basic styling to make the content look better when pasted
+ const styledHtml = `
+
+
+ ${htmlContent}
+
+ `;
+
+ // Create a blob with HTML content
+ const blob = new Blob([styledHtml], { type: 'text/html' });
try {
- const successful = document.execCommand('copy');
- const msg = successful ? 'successful' : 'unsuccessful';
- console.log('Fallback: Copying text command was ' + msg);
- result = true;
+ // Create a ClipboardItem with HTML content
+ const data = new ClipboardItem({
+ 'text/html': blob,
+ 'text/plain': new Blob([text], { type: 'text/plain' })
+ });
+
+ // Write to clipboard
+ await navigator.clipboard.write([data]);
+ return true;
} catch (err) {
- console.error('Fallback: Oops, unable to copy', err);
+ console.error('Error copying formatted content:', err);
+ // Fallback to plain text
+ return await copyToClipboard(text);
+ }
+ } else {
+ let result = false;
+ if (!navigator.clipboard) {
+ const textArea = document.createElement('textarea');
+ textArea.value = text;
+
+ // Avoid scrolling to bottom
+ textArea.style.top = '0';
+ textArea.style.left = '0';
+ textArea.style.position = 'fixed';
+
+ document.body.appendChild(textArea);
+ textArea.focus();
+ textArea.select();
+
+ try {
+ const successful = document.execCommand('copy');
+ const msg = successful ? 'successful' : 'unsuccessful';
+ console.log('Fallback: Copying text command was ' + msg);
+ result = true;
+ } catch (err) {
+ console.error('Fallback: Oops, unable to copy', err);
+ }
+
+ document.body.removeChild(textArea);
+ return result;
}
- document.body.removeChild(textArea);
+ result = await navigator.clipboard
+ .writeText(text)
+ .then(() => {
+ console.log('Async: Copying to clipboard was successful!');
+ return true;
+ })
+ .catch((error) => {
+ console.error('Async: Could not copy text: ', error);
+ return false;
+ });
+
return result;
}
-
- result = await navigator.clipboard
- .writeText(text)
- .then(() => {
- console.log('Async: Copying to clipboard was successful!');
- return true;
- })
- .catch((error) => {
- console.error('Async: Could not copy text: ', error);
- return false;
- });
-
- return result;
};
export const compareVersion = (latest, current) => {
@@ -683,6 +771,11 @@ export const removeDetails = (content, types) => {
return content;
};
+export const removeAllDetails = (content) => {
+ content = content.replace(/
]*>.*?<\/details>/gis, '');
+ return content;
+};
+
export const processDetails = (content) => {
content = removeDetails(content, ['reasoning', 'code_interpreter']);
diff --git a/src/lib/utils/rag/index.ts b/src/lib/utils/rag/index.ts
deleted file mode 100644
index 6523bb7dff..0000000000
--- a/src/lib/utils/rag/index.ts
+++ /dev/null
@@ -1,24 +0,0 @@
-import { getRAGTemplate } from '$lib/apis/retrieval';
-
-export const RAGTemplate = async (token: string, context: string, query: string) => {
- let template = await getRAGTemplate(token).catch(() => {
- return `Use the following context as your learned knowledge, inside XML tags.
-
- [context]
-
-
- When answer to user:
- - If you don't know, just say that you don't know.
- - If you don't know when you are not sure, ask for clarification.
- Avoid mentioning that you obtained the information from the context.
- And answer according to the language of the user's question.
-
- Given the context information, answer the query.
- Query: [query]`;
- });
-
- template = template.replace(/\[context\]/g, context);
- template = template.replace(/\[query\]/g, query);
-
- return template;
-};
diff --git a/src/routes/s/[id]/+page.svelte b/src/routes/s/[id]/+page.svelte
index 963d80d560..d8f3f42eae 100644
--- a/src/routes/s/[id]/+page.svelte
+++ b/src/routes/s/[id]/+page.svelte
@@ -13,7 +13,7 @@
import Messages from '$lib/components/chat/Messages.svelte';
import Navbar from '$lib/components/layout/Navbar.svelte';
- import { getUserById } from '$lib/apis/users';
+ import { getUserById, getUserSettings } from '$lib/apis/users';
import { getModels } from '$lib/apis';
import { toast } from 'svelte-sonner';
import localizedFormat from 'dayjs/plugin/localizedFormat';
@@ -61,6 +61,25 @@
//////////////////////////
const loadSharedChat = async () => {
+ const userSettings = await getUserSettings(localStorage.token).catch((error) => {
+ console.error(error);
+ return null;
+ });
+
+ if (userSettings) {
+ settings.set(userSettings.ui);
+ } else {
+ let localStorageSettings = {} as Parameters<(typeof settings)['set']>[0];
+
+ try {
+ localStorageSettings = JSON.parse(localStorage.getItem('settings') ?? '{}');
+ } catch (e: unknown) {
+ console.error('Failed to parse settings from localStorage', e);
+ }
+
+ settings.set(localStorageSettings);
+ }
+
await models.set(
await getModels(
localStorage.token,
@@ -137,7 +156,11 @@
>
-
+
{title}
@@ -152,9 +175,9 @@