"lightx2v/common/ops/vscode:/vscode.git/clone" did not exist on "92539ed82bad44de23c35628d2927d43aa6ddcb0"
Commit 4aab4609 authored by Jun Siang Cheah's avatar Jun Siang Cheah
Browse files

Merge remote-tracking branch 'upstream/dev' into feat/oauth

parents 4ff17acc a2ea6b1b
<script lang="ts">
import CodeEditor from '$lib/components/common/CodeEditor.svelte';
import { createEventDispatcher } from 'svelte';
const dispatch = createEventDispatcher();
export let value = '';
let codeEditor;
let boilerplate = `import os
import requests
from datetime import datetime
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
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
# The session user object will be passed as a parameter when the function is called
print(__user__)
result = ""
if "name" in __user__:
result += f"User: {__user__['name']}"
if "id" in __user__:
result += f" (ID: {__user__['id']})"
if "email" in __user__:
result += f" (Email: {__user__['email']})"
if result == "":
result = "User: Unknown"
return result
def get_current_time(self) -> str:
"""
Get the current time in a more human-readable format.
:return: The current time.
"""
now = datetime.now()
current_time = now.strftime("%I:%M:%S %p") # Using 12-hour format with AM/PM
current_date = now.strftime(
"%A, %B %d, %Y"
) # Full weekday, month name, day, and year
return f"Current Date and Time = {current_date}, {current_time}"
def calculator(self, equation: str) -> str:
"""
Calculate the result of an equation.
:param equation: The equation to calculate.
"""
# Avoid using eval in production code
# https://nedbatchelder.com/blog/201206/eval_really_is_dangerous.html
try:
result = eval(equation)
return f"{equation} = {result}"
except Exception as e:
print(e)
return "Invalid equation"
def get_current_weather(self, city: str) -> 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 (
"API key is not set in the environment variable 'OPENWEATHER_API_KEY'."
)
base_url = "http://api.openweathermap.org/data/2.5/weather"
params = {
"q": city,
"appid": api_key,
"units": "metric", # Optional: Use 'imperial' for Fahrenheit
}
try:
response = requests.get(base_url, params=params)
response.raise_for_status() # Raise HTTPError for bad responses (4xx and 5xx)
data = response.json()
if data.get("cod") != 200:
return f"Error fetching weather data: {data.get('message')}"
weather_description = data["weather"][0]["description"]
temperature = data["main"]["temp"]
humidity = data["main"]["humidity"]
wind_speed = data["wind"]["speed"]
return f"Weather in {city}: {temperature}°C"
except requests.RequestException as e:
return f"Error fetching weather data: {str(e)}"
`;
export const formatHandler = async () => {
if (codeEditor) {
return await codeEditor.formatPythonCodeHandler();
}
return false;
};
</script>
<CodeEditor
bind:value
{boilerplate}
bind:this={codeEditor}
on:save={() => {
dispatch('save');
}}
/>
...@@ -3,7 +3,7 @@ ...@@ -3,7 +3,7 @@
const i18n = getContext('i18n'); const i18n = getContext('i18n');
import CodeEditor from './CodeEditor.svelte'; import CodeEditor from '$lib/components/common/CodeEditor.svelte';
import { goto } from '$app/navigation'; import { goto } from '$app/navigation';
import ConfirmDialog from '$lib/components/common/ConfirmDialog.svelte'; import ConfirmDialog from '$lib/components/common/ConfirmDialog.svelte';
...@@ -28,6 +28,107 @@ ...@@ -28,6 +28,107 @@
} }
let codeEditor; let codeEditor;
let boilerplate = `import os
import requests
from datetime import datetime
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
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
# The session user object will be passed as a parameter when the function is called
print(__user__)
result = ""
if "name" in __user__:
result += f"User: {__user__['name']}"
if "id" in __user__:
result += f" (ID: {__user__['id']})"
if "email" in __user__:
result += f" (Email: {__user__['email']})"
if result == "":
result = "User: Unknown"
return result
def get_current_time(self) -> str:
"""
Get the current time in a more human-readable format.
:return: The current time.
"""
now = datetime.now()
current_time = now.strftime("%I:%M:%S %p") # Using 12-hour format with AM/PM
current_date = now.strftime(
"%A, %B %d, %Y"
) # Full weekday, month name, day, and year
return f"Current Date and Time = {current_date}, {current_time}"
def calculator(self, equation: str) -> str:
"""
Calculate the result of an equation.
:param equation: The equation to calculate.
"""
# Avoid using eval in production code
# https://nedbatchelder.com/blog/201206/eval_really_is_dangerous.html
try:
result = eval(equation)
return f"{equation} = {result}"
except Exception as e:
print(e)
return "Invalid equation"
def get_current_weather(self, city: str) -> 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 (
"API key is not set in the environment variable 'OPENWEATHER_API_KEY'."
)
base_url = "http://api.openweathermap.org/data/2.5/weather"
params = {
"q": city,
"appid": api_key,
"units": "metric", # Optional: Use 'imperial' for Fahrenheit
}
try:
response = requests.get(base_url, params=params)
response.raise_for_status() # Raise HTTPError for bad responses (4xx and 5xx)
data = response.json()
if data.get("cod") != 200:
return f"Error fetching weather data: {data.get('message')}"
weather_description = data["weather"][0]["description"]
temperature = data["main"]["temp"]
humidity = data["main"]["humidity"]
wind_speed = data["wind"]["speed"]
return f"Weather in {city}: {temperature}°C"
except requests.RequestException as e:
return f"Error fetching weather data: {str(e)}"
`;
const saveHandler = async () => { const saveHandler = async () => {
loading = true; loading = true;
...@@ -41,7 +142,7 @@ ...@@ -41,7 +142,7 @@
const submitHandler = async () => { const submitHandler = async () => {
if (codeEditor) { if (codeEditor) {
const res = await codeEditor.formatHandler(); const res = await codeEditor.formatPythonCodeHandler();
if (res) { if (res) {
console.log('Code formatted successfully'); console.log('Code formatted successfully');
...@@ -123,6 +224,7 @@ ...@@ -123,6 +224,7 @@
<CodeEditor <CodeEditor
bind:value={content} bind:value={content}
bind:this={codeEditor} bind:this={codeEditor}
{boilerplate}
on:save={() => { on:save={() => {
if (formElement) { if (formElement) {
formElement.requestSubmit(); formElement.requestSubmit();
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "يسمح", "Allow": "يسمح",
"Allow Chat Deletion": "يستطيع حذف المحادثات", "Allow Chat Deletion": "يستطيع حذف المحادثات",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "الأحرف الأبجدية الرقمية والواصلات", "alphanumeric characters and hyphens": "الأحرف الأبجدية الرقمية والواصلات",
"Already have an account?": "هل تملك حساب ؟", "Already have an account?": "هل تملك حساب ؟",
"an assistant": "مساعد", "an assistant": "مساعد",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "قدرات", "Capabilities": "قدرات",
"Change Password": "تغير الباسورد", "Change Password": "تغير الباسورد",
"Chat": "المحادثة", "Chat": "المحادثة",
"Chat Background Image": "",
"Chat Bubble UI": "UI الدردشة", "Chat Bubble UI": "UI الدردشة",
"Chat direction": "اتجاه المحادثة", "Chat direction": "اتجاه المحادثة",
"Chat History": "تاريخ المحادثة", "Chat History": "تاريخ المحادثة",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "أضغط هنا للمساعدة", "Click here for help.": "أضغط هنا للمساعدة",
"Click here to": "أضغط هنا الانتقال", "Click here to": "أضغط هنا الانتقال",
"Click here to download user import template file.": "",
"Click here to select": "أضغط هنا للاختيار", "Click here to select": "أضغط هنا للاختيار",
"Click here to select a csv file.": "أضغط هنا للاختيار ملف csv", "Click here to select a csv file.": "أضغط هنا للاختيار ملف csv",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI الرابط مطلوب", "ComfyUI Base URL is required.": "ComfyUI الرابط مطلوب",
"Command": "الأوامر", "Command": "الأوامر",
"Concurrent Requests": "الطلبات المتزامنة", "Concurrent Requests": "الطلبات المتزامنة",
"Confirm": "",
"Confirm Password": "تأكيد كلمة المرور", "Confirm Password": "تأكيد كلمة المرور",
"Confirm your action": "",
"Connections": "اتصالات", "Connections": "اتصالات",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "الاتصال", "Content": "الاتصال",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "عمل سر جديد", "Create new secret key": "عمل سر جديد",
"Created at": "أنشئت في", "Created at": "أنشئت في",
"Created At": "أنشئت من", "Created At": "أنشئت من",
"Created by": "",
"CSV Import": "",
"Current Model": "الموديل المختار", "Current Model": "الموديل المختار",
"Current Password": "كلمة السر الحالية", "Current Password": "كلمة السر الحالية",
"Custom": "مخصص", "Custom": "مخصص",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "حذف جميع الدردشات", "Delete All Chats": "حذف جميع الدردشات",
"Delete chat": "حذف المحادثه", "Delete chat": "حذف المحادثه",
"Delete Chat": "حذف المحادثه.", "Delete Chat": "حذف المحادثه.",
"Delete chat?": "",
"delete this link": "أحذف هذا الرابط", "delete this link": "أحذف هذا الرابط",
"Delete User": "حذف المستخدم", "Delete User": "حذف المستخدم",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "تصدير جميع الدردشات", "Export Chats": "تصدير جميع الدردشات",
"Export Documents Mapping": "تصدير وثائق الخرائط", "Export Documents Mapping": "تصدير وثائق الخرائط",
"Export Functions": "",
"Export Models": "نماذج التصدير", "Export Models": "نماذج التصدير",
"Export Prompts": "مطالبات التصدير", "Export Prompts": "مطالبات التصدير",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "فبراير", "February": "فبراير",
"Feel free to add specific details": "لا تتردد في إضافة تفاصيل محددة", "Feel free to add specific details": "لا تتردد في إضافة تفاصيل محددة",
"File": "",
"File Mode": "وضع الملف", "File Mode": "وضع الملف",
"File not found.": "لم يتم العثور على الملف.", "File not found.": "لم يتم العثور على الملف.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "تم اكتشاف انتحال بصمة الإصبع: غير قادر على استخدام الأحرف الأولى كصورة رمزية. الافتراضي لصورة الملف الشخصي الافتراضية.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "تم اكتشاف انتحال بصمة الإصبع: غير قادر على استخدام الأحرف الأولى كصورة رمزية. الافتراضي لصورة الملف الشخصي الافتراضية.",
"Fluidly stream large external response chunks": "دفق قطع الاستجابة الخارجية الكبيرة بسلاسة", "Fluidly stream large external response chunks": "دفق قطع الاستجابة الخارجية الكبيرة بسلاسة",
"Focus chat input": "التركيز على إدخال الدردشة", "Focus chat input": "التركيز على إدخال الدردشة",
"Followed instructions perfectly": "اتبعت التعليمات على أكمل وجه", "Followed instructions perfectly": "اتبعت التعليمات على أكمل وجه",
"Form": "",
"Format your variables using square brackets like this:": "قم بتنسيق المتغيرات الخاصة بك باستخدام الأقواس المربعة مثل هذا:", "Format your variables using square brackets like this:": "قم بتنسيق المتغيرات الخاصة بك باستخدام الأقواس المربعة مثل هذا:",
"Frequency Penalty": "عقوبة التردد", "Frequency Penalty": "عقوبة التردد",
"Functions": "",
"General": "عام", "General": "عام",
"General Settings": "الاعدادات العامة", "General Settings": "الاعدادات العامة",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": " {{name}} مرحبا", "Hello, {{name}}": " {{name}} مرحبا",
"Help": "مساعدة", "Help": "مساعدة",
"Hide": "أخفاء", "Hide": "أخفاء",
"Hide Model": "",
"How can I help you today?": "كيف استطيع مساعدتك اليوم؟", "How can I help you today?": "كيف استطيع مساعدتك اليوم؟",
"Hybrid Search": "البحث الهجين", "Hybrid Search": "البحث الهجين",
"Image Generation (Experimental)": "توليد الصور (تجريبي)", "Image Generation (Experimental)": "توليد الصور (تجريبي)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "الصور", "Images": "الصور",
"Import Chats": "استيراد الدردشات", "Import Chats": "استيراد الدردشات",
"Import Documents Mapping": "استيراد خرائط المستندات", "Import Documents Mapping": "استيراد خرائط المستندات",
"Import Functions": "",
"Import Models": "استيراد النماذج", "Import Models": "استيراد النماذج",
"Import Prompts": "مطالبات الاستيراد", "Import Prompts": "مطالبات الاستيراد",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.", "Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "خطاء! تمسك بقوة! ملفاتك لا تزال في فرن المعالجة. نحن نطبخهم إلى حد الكمال. يرجى التحلي بالصبر وسنخبرك عندما يصبحون جاهزين.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "خطاء! تمسك بقوة! ملفاتك لا تزال في فرن المعالجة. نحن نطبخهم إلى حد الكمال. يرجى التحلي بالصبر وسنخبرك عندما يصبحون جاهزين.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "خطاء! أنت تستخدم طريقة غير مدعومة (الواجهة الأمامية فقط). يرجى تقديم واجهة WebUI من الواجهة الخلفية.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "خطاء! أنت تستخدم طريقة غير مدعومة (الواجهة الأمامية فقط). يرجى تقديم واجهة WebUI من الواجهة الخلفية.",
"Open": "فتح", "Open": "فتح",
"Open AI": "AI فتح", "Open AI": "AI فتح",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "إعادة تقييم النموذج", "Reranking Model": "إعادة تقييم النموذج",
"Reranking model disabled": "تم تعطيل نموذج إعادة الترتيب", "Reranking model disabled": "تم تعطيل نموذج إعادة الترتيب",
"Reranking model set to \"{{reranking_model}}\"": "تم ضبط نموذج إعادة الترتيب على \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "تم ضبط نموذج إعادة الترتيب على \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "إعادة تعيين تخزين المتجهات", "Reset Vector Storage": "إعادة تعيين تخزين المتجهات",
"Response AutoCopy to Clipboard": "النسخ التلقائي للاستجابة إلى الحافظة", "Response AutoCopy to Clipboard": "النسخ التلقائي للاستجابة إلى الحافظة",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "البحث عن موديل", "Search a model": "البحث عن موديل",
"Search Chats": "البحث في الدردشات", "Search Chats": "البحث في الدردشات",
"Search Documents": "البحث المستندات", "Search Documents": "البحث المستندات",
"Search Functions": "",
"Search Models": "نماذج البحث", "Search Models": "نماذج البحث",
"Search Prompts": "أبحث حث", "Search Prompts": "أبحث حث",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -478,6 +496,7 @@ ...@@ -478,6 +496,7 @@
"short-summary": "ملخص قصير", "short-summary": "ملخص قصير",
"Show": "عرض", "Show": "عرض",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "إظهار الاختصارات", "Show shortcuts": "إظهار الاختصارات",
"Showcased creativity": "أظهر الإبداع", "Showcased creativity": "أظهر الإبداع",
"sidebar": "الشريط الجانبي", "sidebar": "الشريط الجانبي",
...@@ -499,6 +518,7 @@ ...@@ -499,6 +518,7 @@
"System": "النظام", "System": "النظام",
"System Prompt": "محادثة النظام", "System Prompt": "محادثة النظام",
"Tags": "الوسوم", "Tags": "الوسوم",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "أخبرنا المزيد:", "Tell us more:": "أخبرنا المزيد:",
"Temperature": "درجة حرارة", "Temperature": "درجة حرارة",
...@@ -510,9 +530,11 @@ ...@@ -510,9 +530,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "يجب أن تكون النتيجة قيمة تتراوح بين 0.0 (0%) و1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "يجب أن تكون النتيجة قيمة تتراوح بين 0.0 (0%) و1.0 (100%).",
"Theme": "الثيم", "Theme": "الثيم",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "لا تتم مزامنة هذا الإعداد عبر المتصفحات أو الأجهزة.", "This setting does not sync across browsers or devices.": "لا تتم مزامنة هذا الإعداد عبر المتصفحات أو الأجهزة.",
"This will delete": "",
"Thorough explanation": "شرح شامل", "Thorough explanation": "شرح شامل",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "ملاحضة: قم بتحديث عدة فتحات متغيرة على التوالي عن طريق الضغط على مفتاح tab في مدخلات الدردشة بعد كل استبدال.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "ملاحضة: قم بتحديث عدة فتحات متغيرة على التوالي عن طريق الضغط على مفتاح tab في مدخلات الدردشة بعد كل استبدال.",
"Title": "العنوان", "Title": "العنوان",
...@@ -526,6 +548,7 @@ ...@@ -526,6 +548,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "الى كتابة المحادثه", "to chat input.": "الى كتابة المحادثه",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "اليوم", "Today": "اليوم",
"Toggle settings": "فتح وأغلاق الاعدادات", "Toggle settings": "فتح وأغلاق الاعدادات",
...@@ -541,10 +564,13 @@ ...@@ -541,10 +564,13 @@
"Type": "نوع", "Type": "نوع",
"Type Hugging Face Resolve (Download) URL": "اكتب عنوان URL لحل مشكلة الوجه (تنزيل).", "Type Hugging Face Resolve (Download) URL": "اكتب عنوان URL لحل مشكلة الوجه (تنزيل).",
"Uh-oh! There was an issue connecting to {{provider}}.": "{{provider}}خطاء أوه! حدثت مشكلة في الاتصال بـ ", "Uh-oh! There was an issue connecting to {{provider}}.": "{{provider}}خطاء أوه! حدثت مشكلة في الاتصال بـ ",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "نوع ملف غير معروف '{{file_type}}', ولكن القبول والتعامل كنص عادي ", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "تحديث ونسخ الرابط", "Update and Copy Link": "تحديث ونسخ الرابط",
"Update password": "تحديث كلمة المرور", "Update password": "تحديث كلمة المرور",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "GGUF رفع موديل نوع", "Upload a GGUF model": "GGUF رفع موديل نوع",
"Upload Files": "تحميل الملفات", "Upload Files": "تحميل الملفات",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -563,6 +589,7 @@ ...@@ -563,6 +589,7 @@
"variable": "المتغير", "variable": "المتغير",
"variable to have them replaced with clipboard content.": "متغير لاستبدالها بمحتوى الحافظة.", "variable to have them replaced with clipboard content.": "متغير لاستبدالها بمحتوى الحافظة.",
"Version": "إصدار", "Version": "إصدار",
"Voice": "",
"Warning": "تحذير", "Warning": "تحذير",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "تحذير: إذا قمت بتحديث أو تغيير نموذج التضمين الخاص بك، فستحتاج إلى إعادة استيراد كافة المستندات.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "تحذير: إذا قمت بتحديث أو تغيير نموذج التضمين الخاص بك، فستحتاج إلى إعادة استيراد كافة المستندات.",
"Web": "Web", "Web": "Web",
...@@ -572,7 +599,6 @@ ...@@ -572,7 +599,6 @@
"Web Search": "بحث الويب", "Web Search": "بحث الويب",
"Web Search Engine": "محرك بحث الويب", "Web Search Engine": "محرك بحث الويب",
"Webhook URL": "Webhook الرابط", "Webhook URL": "Webhook الرابط",
"WebUI Add-ons": "WebUI الأضافات",
"WebUI Settings": "WebUI اعدادات", "WebUI Settings": "WebUI اعدادات",
"WebUI will make requests to": "سوف يقوم WebUI بتقديم طلبات ل", "WebUI will make requests to": "سوف يقوم WebUI بتقديم طلبات ل",
"What’s New in": "ما هو الجديد", "What’s New in": "ما هو الجديد",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Позволи", "Allow": "Позволи",
"Allow Chat Deletion": "Позволи Изтриване на Чат", "Allow Chat Deletion": "Позволи Изтриване на Чат",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "алфанумерични знаци и тире", "alphanumeric characters and hyphens": "алфанумерични знаци и тире",
"Already have an account?": "Вече имате акаунт? ", "Already have an account?": "Вече имате акаунт? ",
"an assistant": "асистент", "an assistant": "асистент",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Възможности", "Capabilities": "Възможности",
"Change Password": "Промяна на Парола", "Change Password": "Промяна на Парола",
"Chat": "Чат", "Chat": "Чат",
"Chat Background Image": "",
"Chat Bubble UI": "UI за чат бублон", "Chat Bubble UI": "UI за чат бублон",
"Chat direction": "Направление на чата", "Chat direction": "Направление на чата",
"Chat History": "Чат История", "Chat History": "Чат История",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Натиснете тук за помощ.", "Click here for help.": "Натиснете тук за помощ.",
"Click here to": "Натиснете тук за", "Click here to": "Натиснете тук за",
"Click here to download user import template file.": "",
"Click here to select": "Натиснете тук, за да изберете", "Click here to select": "Натиснете тук, за да изберете",
"Click here to select a csv file.": "Натиснете тук, за да изберете csv файл.", "Click here to select a csv file.": "Натиснете тук, за да изберете csv файл.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI Base URL е задължително.", "ComfyUI Base URL is required.": "ComfyUI Base URL е задължително.",
"Command": "Команда", "Command": "Команда",
"Concurrent Requests": "Едновременни искания", "Concurrent Requests": "Едновременни искания",
"Confirm": "",
"Confirm Password": "Потвърди Парола", "Confirm Password": "Потвърди Парола",
"Confirm your action": "",
"Connections": "Връзки", "Connections": "Връзки",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Съдържание", "Content": "Съдържание",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Създаване на нов секретен ключ", "Create new secret key": "Създаване на нов секретен ключ",
"Created at": "Създадено на", "Created at": "Създадено на",
"Created At": "Създадено на", "Created At": "Създадено на",
"Created by": "",
"CSV Import": "",
"Current Model": "Текущ модел", "Current Model": "Текущ модел",
"Current Password": "Текуща Парола", "Current Password": "Текуща Парола",
"Custom": "Персонализиран", "Custom": "Персонализиран",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Изтриване на всички чатове", "Delete All Chats": "Изтриване на всички чатове",
"Delete chat": "Изтриване на чат", "Delete chat": "Изтриване на чат",
"Delete Chat": "Изтриване на Чат", "Delete Chat": "Изтриване на Чат",
"Delete chat?": "",
"delete this link": "Изтриване на този линк", "delete this link": "Изтриване на този линк",
"Delete User": "Изтриване на потребител", "Delete User": "Изтриване на потребител",
"Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Експортване на чатове", "Export Chats": "Експортване на чатове",
"Export Documents Mapping": "Експортване на документен мапинг", "Export Documents Mapping": "Експортване на документен мапинг",
"Export Functions": "",
"Export Models": "Експортиране на модели", "Export Models": "Експортиране на модели",
"Export Prompts": "Експортване на промптове", "Export Prompts": "Експортване на промптове",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Февруари", "February": "Февруари",
"Feel free to add specific details": "Feel free to add specific details", "Feel free to add specific details": "Feel free to add specific details",
"File": "",
"File Mode": "Файл Мод", "File Mode": "Файл Мод",
"File not found.": "Файл не е намерен.", "File not found.": "Файл не е намерен.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Потвърждаване на отпечатък: Не може да се използва инициализационна буква като аватар. Потребителят се връща към стандартна аватарка.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Потвърждаване на отпечатък: Не може да се използва инициализационна буква като аватар. Потребителят се връща към стандартна аватарка.",
"Fluidly stream large external response chunks": "Плавно предаване на големи части от външен отговор", "Fluidly stream large external response chunks": "Плавно предаване на големи части от външен отговор",
"Focus chat input": "Фокусиране на чат вход", "Focus chat input": "Фокусиране на чат вход",
"Followed instructions perfectly": "Следвайте инструкциите перфектно", "Followed instructions perfectly": "Следвайте инструкциите перфектно",
"Form": "",
"Format your variables using square brackets like this:": "Форматирайте вашите променливи, като използвате квадратни скоби, както следва:", "Format your variables using square brackets like this:": "Форматирайте вашите променливи, като използвате квадратни скоби, както следва:",
"Frequency Penalty": "Наказание за честота", "Frequency Penalty": "Наказание за честота",
"Functions": "",
"General": "Основни", "General": "Основни",
"General Settings": "Основни Настройки", "General Settings": "Основни Настройки",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Здравей, {{name}}", "Hello, {{name}}": "Здравей, {{name}}",
"Help": "Помощ", "Help": "Помощ",
"Hide": "Скрий", "Hide": "Скрий",
"Hide Model": "",
"How can I help you today?": "Как мога да ви помогна днес?", "How can I help you today?": "Как мога да ви помогна днес?",
"Hybrid Search": "Hybrid Search", "Hybrid Search": "Hybrid Search",
"Image Generation (Experimental)": "Генерация на изображения (Експериментално)", "Image Generation (Experimental)": "Генерация на изображения (Експериментално)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Изображения", "Images": "Изображения",
"Import Chats": "Импортване на чатове", "Import Chats": "Импортване на чатове",
"Import Documents Mapping": "Импортване на документен мапинг", "Import Documents Mapping": "Импортване на документен мапинг",
"Import Functions": "",
"Import Models": "Импортиране на модели", "Import Models": "Импортиране на модели",
"Import Prompts": "Импортване на промптове", "Import Prompts": "Импортване на промптове",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Упс! Задръжте! Файловете ви все още са в пещта за обработка. Готвим ги до съвършенство. Моля, бъдете търпеливи и ще ви уведомим, когато са готови.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Упс! Задръжте! Файловете ви все още са в пещта за обработка. Готвим ги до съвършенство. Моля, бъдете търпеливи и ще ви уведомим, когато са готови.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Упс! Използвате неподдържан метод (само фронтенд). Моля, сервирайте WebUI от бекенда.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Упс! Използвате неподдържан метод (само фронтенд). Моля, сервирайте WebUI от бекенда.",
"Open": "Отвори", "Open": "Отвори",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Reranking Model", "Reranking Model": "Reranking Model",
"Reranking model disabled": "Reranking model disabled", "Reranking model disabled": "Reranking model disabled",
"Reranking model set to \"{{reranking_model}}\"": "Reranking model set to \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Reranking model set to \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Ресет Vector Storage", "Reset Vector Storage": "Ресет Vector Storage",
"Response AutoCopy to Clipboard": "Аувтоматично копиране на отговор в клипборда", "Response AutoCopy to Clipboard": "Аувтоматично копиране на отговор в клипборда",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Търси модел", "Search a model": "Търси модел",
"Search Chats": "Търсене на чатове", "Search Chats": "Търсене на чатове",
"Search Documents": "Търси Документи", "Search Documents": "Търси Документи",
"Search Functions": "",
"Search Models": "Търсене на модели", "Search Models": "Търсене на модели",
"Search Prompts": "Търси Промптове", "Search Prompts": "Търси Промптове",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "short-summary", "short-summary": "short-summary",
"Show": "Покажи", "Show": "Покажи",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Покажи", "Show shortcuts": "Покажи",
"Showcased creativity": "Показана креативност", "Showcased creativity": "Показана креативност",
"sidebar": "sidebar", "sidebar": "sidebar",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "Система", "System": "Система",
"System Prompt": "Системен Промпт", "System Prompt": "Системен Промпт",
"Tags": "Тагове", "Tags": "Тагове",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Повече информация:", "Tell us more:": "Повече информация:",
"Temperature": "Температура", "Temperature": "Температура",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "The score should be a value between 0.0 (0%) and 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "The score should be a value between 0.0 (0%) and 1.0 (100%).",
"Theme": "Тема", "Theme": "Тема",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Тази настройка не се синхронизира между браузъри или устройства.", "This setting does not sync across browsers or devices.": "Тази настройка не се синхронизира между браузъри или устройства.",
"This will delete": "",
"Thorough explanation": "Това е подробно описание.", "Thorough explanation": "Това е подробно описание.",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Съвет: Актуализирайте няколко слота за променливи последователно, като натискате клавиша Tab в чат входа след всяка подмяна.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Съвет: Актуализирайте няколко слота за променливи последователно, като натискате клавиша Tab в чат входа след всяка подмяна.",
"Title": "Заглавие", "Title": "Заглавие",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "към чат входа.", "to chat input.": "към чат входа.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "днес", "Today": "днес",
"Toggle settings": "Toggle settings", "Toggle settings": "Toggle settings",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "Вид", "Type": "Вид",
"Type Hugging Face Resolve (Download) URL": "Въведете Hugging Face Resolve (Download) URL", "Type Hugging Face Resolve (Download) URL": "Въведете Hugging Face Resolve (Download) URL",
"Uh-oh! There was an issue connecting to {{provider}}.": "О, не! Възникна проблем при свързването с {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "О, не! Възникна проблем при свързването с {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Непознат файлов тип '{{file_type}}', но се приема и обработва като текст", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Обнови и копирай връзка", "Update and Copy Link": "Обнови и копирай връзка",
"Update password": "Обновяване на парола", "Update password": "Обновяване на парола",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Качване на GGUF модел", "Upload a GGUF model": "Качване на GGUF модел",
"Upload Files": "Качване на файлове", "Upload Files": "Качване на файлове",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "променлива", "variable": "променлива",
"variable to have them replaced with clipboard content.": "променливи да се заменят съдържанието от клипборд.", "variable to have them replaced with clipboard content.": "променливи да се заменят съдържанието от клипборд.",
"Version": "Версия", "Version": "Версия",
"Voice": "",
"Warning": "Предупреждение", "Warning": "Предупреждение",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Ако актуализирате или промените вашия модел за вграждане, трябва да повторите импортирането на всички документи.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Ако актуализирате или промените вашия модел за вграждане, трябва да повторите импортирането на всички документи.",
"Web": "Уеб", "Web": "Уеб",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "Търсене в уеб", "Web Search": "Търсене в уеб",
"Web Search Engine": "Уеб търсачка", "Web Search Engine": "Уеб търсачка",
"Webhook URL": "Уебхук URL", "Webhook URL": "Уебхук URL",
"WebUI Add-ons": "WebUI Добавки",
"WebUI Settings": "WebUI Настройки", "WebUI Settings": "WebUI Настройки",
"WebUI will make requests to": "WebUI ще направи заявки към", "WebUI will make requests to": "WebUI ще направи заявки към",
"What’s New in": "Какво е новото в", "What’s New in": "Какво е новото в",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "অনুমোদন", "Allow": "অনুমোদন",
"Allow Chat Deletion": "চ্যাট ডিলিট করতে দিন", "Allow Chat Deletion": "চ্যাট ডিলিট করতে দিন",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন", "alphanumeric characters and hyphens": "ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন",
"Already have an account?": "আগে থেকেই একাউন্ট আছে?", "Already have an account?": "আগে থেকেই একাউন্ট আছে?",
"an assistant": "একটা এসিস্ট্যান্ট", "an assistant": "একটা এসিস্ট্যান্ট",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "সক্ষমতা", "Capabilities": "সক্ষমতা",
"Change Password": "পাসওয়ার্ড পরিবর্তন করুন", "Change Password": "পাসওয়ার্ড পরিবর্তন করুন",
"Chat": "চ্যাট", "Chat": "চ্যাট",
"Chat Background Image": "",
"Chat Bubble UI": "চ্যাট বাবল UI", "Chat Bubble UI": "চ্যাট বাবল UI",
"Chat direction": "চ্যাট দিকনির্দেশ", "Chat direction": "চ্যাট দিকনির্দেশ",
"Chat History": "চ্যাট হিস্টোরি", "Chat History": "চ্যাট হিস্টোরি",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "সাহায্যের জন্য এখানে ক্লিক করুন", "Click here for help.": "সাহায্যের জন্য এখানে ক্লিক করুন",
"Click here to": "এখানে ক্লিক করুন", "Click here to": "এখানে ক্লিক করুন",
"Click here to download user import template file.": "",
"Click here to select": "নির্বাচন করার জন্য এখানে ক্লিক করুন", "Click here to select": "নির্বাচন করার জন্য এখানে ক্লিক করুন",
"Click here to select a csv file.": "একটি csv ফাইল নির্বাচন করার জন্য এখানে ক্লিক করুন", "Click here to select a csv file.": "একটি csv ফাইল নির্বাচন করার জন্য এখানে ক্লিক করুন",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI Base URL আবশ্যক।", "ComfyUI Base URL is required.": "ComfyUI Base URL আবশ্যক।",
"Command": "কমান্ড", "Command": "কমান্ড",
"Concurrent Requests": "সমকালীন অনুরোধ", "Concurrent Requests": "সমকালীন অনুরোধ",
"Confirm": "",
"Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন", "Confirm Password": "পাসওয়ার্ড নিশ্চিত করুন",
"Confirm your action": "",
"Connections": "কানেকশনগুলো", "Connections": "কানেকশনগুলো",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "বিষয়বস্তু", "Content": "বিষয়বস্তু",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "একটি নতুন সিক্রেট কী তৈরি করুন", "Create new secret key": "একটি নতুন সিক্রেট কী তৈরি করুন",
"Created at": "নির্মানকাল", "Created at": "নির্মানকাল",
"Created At": "নির্মানকাল", "Created At": "নির্মানকাল",
"Created by": "",
"CSV Import": "",
"Current Model": "বর্তমান মডেল", "Current Model": "বর্তমান মডেল",
"Current Password": "বর্তমান পাসওয়ার্ড", "Current Password": "বর্তমান পাসওয়ার্ড",
"Custom": "কাস্টম", "Custom": "কাস্টম",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "সব চ্যাট মুছে ফেলুন", "Delete All Chats": "সব চ্যাট মুছে ফেলুন",
"Delete chat": "চ্যাট মুছে ফেলুন", "Delete chat": "চ্যাট মুছে ফেলুন",
"Delete Chat": "চ্যাট মুছে ফেলুন", "Delete Chat": "চ্যাট মুছে ফেলুন",
"Delete chat?": "",
"delete this link": "এই লিংক মুছে ফেলুন", "delete this link": "এই লিংক মুছে ফেলুন",
"Delete User": "ইউজার মুছে ফেলুন", "Delete User": "ইউজার মুছে ফেলুন",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} মুছে ফেলা হয়েছে", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} মুছে ফেলা হয়েছে",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "চ্যাটগুলো এক্সপোর্ট করুন", "Export Chats": "চ্যাটগুলো এক্সপোর্ট করুন",
"Export Documents Mapping": "ডকুমেন্টসমূহ ম্যাপিং এক্সপোর্ট করুন", "Export Documents Mapping": "ডকুমেন্টসমূহ ম্যাপিং এক্সপোর্ট করুন",
"Export Functions": "",
"Export Models": "রপ্তানি মডেল", "Export Models": "রপ্তানি মডেল",
"Export Prompts": "প্রম্পটগুলো একপোর্ট করুন", "Export Prompts": "প্রম্পটগুলো একপোর্ট করুন",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "ফেব্রুয়ারি", "February": "ফেব্রুয়ারি",
"Feel free to add specific details": "নির্দিষ্ট বিবরণ যোগ করতে বিনা দ্বিধায়", "Feel free to add specific details": "নির্দিষ্ট বিবরণ যোগ করতে বিনা দ্বিধায়",
"File": "",
"File Mode": "ফাইল মোড", "File Mode": "ফাইল মোড",
"File not found.": "ফাইল পাওয়া যায়নি", "File not found.": "ফাইল পাওয়া যায়নি",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ফিঙ্গারপ্রিন্ট স্পুফিং ধরা পড়েছে: অ্যাভাটার হিসেবে নামের আদ্যক্ষর ব্যবহার করা যাচ্ছে না। ডিফল্ট প্রোফাইল পিকচারে ফিরিয়ে নেয়া হচ্ছে।", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ফিঙ্গারপ্রিন্ট স্পুফিং ধরা পড়েছে: অ্যাভাটার হিসেবে নামের আদ্যক্ষর ব্যবহার করা যাচ্ছে না। ডিফল্ট প্রোফাইল পিকচারে ফিরিয়ে নেয়া হচ্ছে।",
"Fluidly stream large external response chunks": "বড় এক্সটার্নাল রেসপন্স চাঙ্কগুলো মসৃণভাবে প্রবাহিত করুন", "Fluidly stream large external response chunks": "বড় এক্সটার্নাল রেসপন্স চাঙ্কগুলো মসৃণভাবে প্রবাহিত করুন",
"Focus chat input": "চ্যাট ইনপুট ফোকাস করুন", "Focus chat input": "চ্যাট ইনপুট ফোকাস করুন",
"Followed instructions perfectly": "নির্দেশাবলী নিখুঁতভাবে অনুসরণ করা হয়েছে", "Followed instructions perfectly": "নির্দেশাবলী নিখুঁতভাবে অনুসরণ করা হয়েছে",
"Form": "",
"Format your variables using square brackets like this:": "আপনার ভেরিয়বলগুলো এভাবে স্কয়ার ব্রাকেটের মাধ্যমে সাজান", "Format your variables using square brackets like this:": "আপনার ভেরিয়বলগুলো এভাবে স্কয়ার ব্রাকেটের মাধ্যমে সাজান",
"Frequency Penalty": "ফ্রিকোয়েন্সি পেনাল্টি", "Frequency Penalty": "ফ্রিকোয়েন্সি পেনাল্টি",
"Functions": "",
"General": "সাধারণ", "General": "সাধারণ",
"General Settings": "সাধারণ সেটিংসমূহ", "General Settings": "সাধারণ সেটিংসমূহ",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "হ্যালো, {{name}}", "Hello, {{name}}": "হ্যালো, {{name}}",
"Help": "সহায়তা", "Help": "সহায়তা",
"Hide": "লুকান", "Hide": "লুকান",
"Hide Model": "",
"How can I help you today?": "আপনাকে আজ কিভাবে সাহায্য করতে পারি?", "How can I help you today?": "আপনাকে আজ কিভাবে সাহায্য করতে পারি?",
"Hybrid Search": "হাইব্রিড অনুসন্ধান", "Hybrid Search": "হাইব্রিড অনুসন্ধান",
"Image Generation (Experimental)": "ইমেজ জেনারেশন (পরিক্ষামূলক)", "Image Generation (Experimental)": "ইমেজ জেনারেশন (পরিক্ষামূলক)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "ছবিসমূহ", "Images": "ছবিসমূহ",
"Import Chats": "চ্যাটগুলি ইমপোর্ট করুন", "Import Chats": "চ্যাটগুলি ইমপোর্ট করুন",
"Import Documents Mapping": "ডকুমেন্টসমূহ ম্যাপিং ইমপোর্ট করুন", "Import Documents Mapping": "ডকুমেন্টসমূহ ম্যাপিং ইমপোর্ট করুন",
"Import Functions": "",
"Import Models": "মডেল আমদানি করুন", "Import Models": "মডেল আমদানি করুন",
"Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন", "Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।", "Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "আহা! আরেকটু ধৈর্য্য ধরুন! আপনার ফাইলগুলো এখনো প্রোসেস চলছে, আমরা ওগুলোকে সেরা প্রক্রিয়াজাত করছি। তৈরি হয়ে গেলে আপনাকে জানিয়ে দেয়া হবে।", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "আহা! আরেকটু ধৈর্য্য ধরুন! আপনার ফাইলগুলো এখনো প্রোসেস চলছে, আমরা ওগুলোকে সেরা প্রক্রিয়াজাত করছি। তৈরি হয়ে গেলে আপনাকে জানিয়ে দেয়া হবে।",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "আপনি একটা আনসাপোর্টেড পদ্ধতি (শুধু ফ্রন্টএন্ড) ব্যবহার করছেন। দয়া করে WebUI ব্যাকএন্ড থেকে চালনা করুন।", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "আপনি একটা আনসাপোর্টেড পদ্ধতি (শুধু ফ্রন্টএন্ড) ব্যবহার করছেন। দয়া করে WebUI ব্যাকএন্ড থেকে চালনা করুন।",
"Open": "খোলা", "Open": "খোলা",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "রির্যাক্টিং মডেল", "Reranking Model": "রির্যাক্টিং মডেল",
"Reranking model disabled": "রির্যাক্টিং মডেল নিষ্ক্রিয় করা", "Reranking model disabled": "রির্যাক্টিং মডেল নিষ্ক্রিয় করা",
"Reranking model set to \"{{reranking_model}}\"": "রির ্যাঙ্কিং মডেল \"{{reranking_model}}\" -এ সেট করা আছে", "Reranking model set to \"{{reranking_model}}\"": "রির ্যাঙ্কিং মডেল \"{{reranking_model}}\" -এ সেট করা আছে",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "ভেক্টর স্টোরেজ রিসেট করুন", "Reset Vector Storage": "ভেক্টর স্টোরেজ রিসেট করুন",
"Response AutoCopy to Clipboard": "রেসপন্সগুলো স্বয়ংক্রিভাবে ক্লিপবোর্ডে কপি হবে", "Response AutoCopy to Clipboard": "রেসপন্সগুলো স্বয়ংক্রিভাবে ক্লিপবোর্ডে কপি হবে",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "মডেল অনুসন্ধান করুন", "Search a model": "মডেল অনুসন্ধান করুন",
"Search Chats": "চ্যাট অনুসন্ধান করুন", "Search Chats": "চ্যাট অনুসন্ধান করুন",
"Search Documents": "ডকুমেন্টসমূহ অনুসন্ধান করুন", "Search Documents": "ডকুমেন্টসমূহ অনুসন্ধান করুন",
"Search Functions": "",
"Search Models": "অনুসন্ধান মডেল", "Search Models": "অনুসন্ধান মডেল",
"Search Prompts": "প্রম্পটসমূহ অনুসন্ধান করুন", "Search Prompts": "প্রম্পটসমূহ অনুসন্ধান করুন",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "সংক্ষিপ্ত বিবরণ", "short-summary": "সংক্ষিপ্ত বিবরণ",
"Show": "দেখান", "Show": "দেখান",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "শর্টকাটগুলো দেখান", "Show shortcuts": "শর্টকাটগুলো দেখান",
"Showcased creativity": "সৃজনশীলতা প্রদর্শন", "Showcased creativity": "সৃজনশীলতা প্রদর্শন",
"sidebar": "সাইডবার", "sidebar": "সাইডবার",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "সিস্টেম", "System": "সিস্টেম",
"System Prompt": "সিস্টেম প্রম্পট", "System Prompt": "সিস্টেম প্রম্পট",
"Tags": "ট্যাগসমূহ", "Tags": "ট্যাগসমূহ",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "আরও বলুন:", "Tell us more:": "আরও বলুন:",
"Temperature": "তাপমাত্রা", "Temperature": "তাপমাত্রা",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "স্কোর একটি 0.0 (0%) এবং 1.0 (100%) এর মধ্যে একটি মান হওয়া উচিত।", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "স্কোর একটি 0.0 (0%) এবং 1.0 (100%) এর মধ্যে একটি মান হওয়া উচিত।",
"Theme": "থিম", "Theme": "থিম",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "এটা নিশ্চিত করে যে, আপনার গুরুত্বপূর্ণ আলোচনা নিরাপদে আপনার ব্যাকএন্ড ডেটাবেজে সংরক্ষিত আছে। ধন্যবাদ!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "এটা নিশ্চিত করে যে, আপনার গুরুত্বপূর্ণ আলোচনা নিরাপদে আপনার ব্যাকএন্ড ডেটাবেজে সংরক্ষিত আছে। ধন্যবাদ!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "এই সেটিং অন্যন্য ব্রাউজার বা ডিভাইসের সাথে সিঙ্ক্রোনাইজ নয় না।", "This setting does not sync across browsers or devices.": "এই সেটিং অন্যন্য ব্রাউজার বা ডিভাইসের সাথে সিঙ্ক্রোনাইজ নয় না।",
"This will delete": "",
"Thorough explanation": "পুঙ্খানুপুঙ্খ ব্যাখ্যা", "Thorough explanation": "পুঙ্খানুপুঙ্খ ব্যাখ্যা",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "পরামর্শ: একাধিক ভেরিয়েবল স্লট একের পর এক রিপ্লেস করার জন্য চ্যাট ইনপুটে কিবোর্ডের Tab বাটন ব্যবহার করুন।", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "পরামর্শ: একাধিক ভেরিয়েবল স্লট একের পর এক রিপ্লেস করার জন্য চ্যাট ইনপুটে কিবোর্ডের Tab বাটন ব্যবহার করুন।",
"Title": "শিরোনাম", "Title": "শিরোনাম",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "চ্যাট ইনপুটে", "to chat input.": "চ্যাট ইনপুটে",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "আজ", "Today": "আজ",
"Toggle settings": "সেটিংস টোগল", "Toggle settings": "সেটিংস টোগল",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "টাইপ", "Type": "টাইপ",
"Type Hugging Face Resolve (Download) URL": "Hugging Face থেকে ডাউনলোড করার ইউআরএল টাইপ করুন", "Type Hugging Face Resolve (Download) URL": "Hugging Face থেকে ডাউনলোড করার ইউআরএল টাইপ করুন",
"Uh-oh! There was an issue connecting to {{provider}}.": "ওহ-হো! {{provider}} এর সাথে কানেকশনে সমস্যা হয়েছে।", "Uh-oh! There was an issue connecting to {{provider}}.": "ওহ-হো! {{provider}} এর সাথে কানেকশনে সমস্যা হয়েছে।",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "অপরিচিত ফাইল ফরম্যাট '{{file_type}}', তবে প্লেইন টেক্সট হিসেবে গ্রহণ করা হলো", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "আপডেট এবং লিংক কপি করুন", "Update and Copy Link": "আপডেট এবং লিংক কপি করুন",
"Update password": "পাসওয়ার্ড আপডেট করুন", "Update password": "পাসওয়ার্ড আপডেট করুন",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "একটি GGUF মডেল আপলোড করুন", "Upload a GGUF model": "একটি GGUF মডেল আপলোড করুন",
"Upload Files": "ফাইল আপলোড করুন", "Upload Files": "ফাইল আপলোড করুন",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "ভেরিয়েবল", "variable": "ভেরিয়েবল",
"variable to have them replaced with clipboard content.": "ক্লিপবোর্ডের কন্টেন্ট দিয়ে যেই ভেরিয়েবল রিপ্লেস করা যাবে।", "variable to have them replaced with clipboard content.": "ক্লিপবোর্ডের কন্টেন্ট দিয়ে যেই ভেরিয়েবল রিপ্লেস করা যাবে।",
"Version": "ভার্সন", "Version": "ভার্সন",
"Voice": "",
"Warning": "সতর্কীকরণ", "Warning": "সতর্কীকরণ",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "সতর্কীকরণ: আপনি যদি আপনার এম্বেডিং মডেল আপডেট বা পরিবর্তন করেন, তাহলে আপনাকে সমস্ত নথি পুনরায় আমদানি করতে হবে।.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "সতর্কীকরণ: আপনি যদি আপনার এম্বেডিং মডেল আপডেট বা পরিবর্তন করেন, তাহলে আপনাকে সমস্ত নথি পুনরায় আমদানি করতে হবে।.",
"Web": "ওয়েব", "Web": "ওয়েব",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "ওয়েব অনুসন্ধান", "Web Search": "ওয়েব অনুসন্ধান",
"Web Search Engine": "ওয়েব সার্চ ইঞ্জিন", "Web Search Engine": "ওয়েব সার্চ ইঞ্জিন",
"Webhook URL": "ওয়েবহুক URL", "Webhook URL": "ওয়েবহুক URL",
"WebUI Add-ons": "WebUI এড-অনসমূহ",
"WebUI Settings": "WebUI সেটিংসমূহ", "WebUI Settings": "WebUI সেটিংসমূহ",
"WebUI will make requests to": "WebUI যেখানে রিকোয়েস্ট পাঠাবে", "WebUI will make requests to": "WebUI যেখানে রিকোয়েস্ট পাঠাবে",
"What’s New in": "এতে নতুন কী", "What’s New in": "এতে নতুন কী",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Permet", "Allow": "Permet",
"Allow Chat Deletion": "Permet la Supressió del Xat", "Allow Chat Deletion": "Permet la Supressió del Xat",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "caràcters alfanumèrics i guions", "alphanumeric characters and hyphens": "caràcters alfanumèrics i guions",
"Already have an account?": "Ja tens un compte?", "Already have an account?": "Ja tens un compte?",
"an assistant": "un assistent", "an assistant": "un assistent",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Capacitats", "Capabilities": "Capacitats",
"Change Password": "Canvia la Contrasenya", "Change Password": "Canvia la Contrasenya",
"Chat": "Xat", "Chat": "Xat",
"Chat Background Image": "",
"Chat Bubble UI": "Chat Bubble UI", "Chat Bubble UI": "Chat Bubble UI",
"Chat direction": "Direcció del Xat", "Chat direction": "Direcció del Xat",
"Chat History": "Històric del Xat", "Chat History": "Històric del Xat",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Fes clic aquí per ajuda.", "Click here for help.": "Fes clic aquí per ajuda.",
"Click here to": "Fes clic aquí per", "Click here to": "Fes clic aquí per",
"Click here to download user import template file.": "",
"Click here to select": "Fes clic aquí per seleccionar", "Click here to select": "Fes clic aquí per seleccionar",
"Click here to select a csv file.": "Fes clic aquí per seleccionar un fitxer csv.", "Click here to select a csv file.": "Fes clic aquí per seleccionar un fitxer csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "URL base de ComfyUI és obligatòria.", "ComfyUI Base URL is required.": "URL base de ComfyUI és obligatòria.",
"Command": "Comanda", "Command": "Comanda",
"Concurrent Requests": "Sol·licituds simultànies", "Concurrent Requests": "Sol·licituds simultànies",
"Confirm": "",
"Confirm Password": "Confirma la Contrasenya", "Confirm Password": "Confirma la Contrasenya",
"Confirm your action": "",
"Connections": "Connexions", "Connections": "Connexions",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Contingut", "Content": "Contingut",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Crea una nova clau secreta", "Create new secret key": "Crea una nova clau secreta",
"Created at": "Creat el", "Created at": "Creat el",
"Created At": "Creat el", "Created At": "Creat el",
"Created by": "",
"CSV Import": "",
"Current Model": "Model Actual", "Current Model": "Model Actual",
"Current Password": "Contrasenya Actual", "Current Password": "Contrasenya Actual",
"Custom": "Personalitzat", "Custom": "Personalitzat",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Suprimir tots els xats", "Delete All Chats": "Suprimir tots els xats",
"Delete chat": "Esborra xat", "Delete chat": "Esborra xat",
"Delete Chat": "Esborra Xat", "Delete Chat": "Esborra Xat",
"Delete chat?": "",
"delete this link": "Esborra aquest enllaç", "delete this link": "Esborra aquest enllaç",
"Delete User": "Esborra Usuari", "Delete User": "Esborra Usuari",
"Deleted {{deleteModelTag}}": "Esborrat {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Esborrat {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Exporta Xats", "Export Chats": "Exporta Xats",
"Export Documents Mapping": "Exporta el Mapatge de Documents", "Export Documents Mapping": "Exporta el Mapatge de Documents",
"Export Functions": "",
"Export Models": "Models d'exportació", "Export Models": "Models d'exportació",
"Export Prompts": "Exporta Prompts", "Export Prompts": "Exporta Prompts",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Febrer", "February": "Febrer",
"Feel free to add specific details": "Siusplau, afegeix detalls específics", "Feel free to add specific details": "Siusplau, afegeix detalls específics",
"File": "",
"File Mode": "Mode Arxiu", "File Mode": "Mode Arxiu",
"File not found.": "Arxiu no trobat.", "File not found.": "Arxiu no trobat.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "S'ha detectat la suplantació d'identitat d'empremtes digitals: no es poden utilitzar les inicials com a avatar. Per defecte a la imatge de perfil predeterminada.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "S'ha detectat la suplantació d'identitat d'empremtes digitals: no es poden utilitzar les inicials com a avatar. Per defecte a la imatge de perfil predeterminada.",
"Fluidly stream large external response chunks": "Transmita con fluidez grandes fragmentos de respuesta externa", "Fluidly stream large external response chunks": "Transmita con fluidez grandes fragmentos de respuesta externa",
"Focus chat input": "Enfoca l'entrada del xat", "Focus chat input": "Enfoca l'entrada del xat",
"Followed instructions perfectly": "Siguiu les instruccions perfeicte", "Followed instructions perfectly": "Siguiu les instruccions perfeicte",
"Form": "",
"Format your variables using square brackets like this:": "Formata les teves variables utilitzant claudàtors així:", "Format your variables using square brackets like this:": "Formata les teves variables utilitzant claudàtors així:",
"Frequency Penalty": "Pena de freqüència", "Frequency Penalty": "Pena de freqüència",
"Functions": "",
"General": "General", "General": "General",
"General Settings": "Configuració General", "General Settings": "Configuració General",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Hola, {{name}}", "Hello, {{name}}": "Hola, {{name}}",
"Help": "Ajuda", "Help": "Ajuda",
"Hide": "Amaga", "Hide": "Amaga",
"Hide Model": "",
"How can I help you today?": "Com et puc ajudar avui?", "How can I help you today?": "Com et puc ajudar avui?",
"Hybrid Search": "Cerca Hibrida", "Hybrid Search": "Cerca Hibrida",
"Image Generation (Experimental)": "Generació d'Imatges (Experimental)", "Image Generation (Experimental)": "Generació d'Imatges (Experimental)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Imatges", "Images": "Imatges",
"Import Chats": "Importa Xats", "Import Chats": "Importa Xats",
"Import Documents Mapping": "Importa el Mapa de Documents", "Import Documents Mapping": "Importa el Mapa de Documents",
"Import Functions": "",
"Import Models": "Models d'importació", "Import Models": "Models d'importació",
"Import Prompts": "Importa Prompts", "Import Prompts": "Importa Prompts",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la cadena de comandes.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la cadena de comandes.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ui! Aguanta! Els teus fitxers encara estan en el forn de processament. Els estem cuinant a la perfecció. Si us plau, tingues paciència i t'avisarem quan estiguin llestos.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ui! Aguanta! Els teus fitxers encara estan en el forn de processament. Els estem cuinant a la perfecció. Si us plau, tingues paciència i t'avisarem quan estiguin llestos.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que l'URL és invàlida. Si us plau, revisa-ho i prova de nou.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que l'URL és invàlida. Si us plau, revisa-ho i prova de nou.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ui! Estàs utilitzant un mètode no suportat (només frontend). Si us plau, serveix la WebUI des del backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ui! Estàs utilitzant un mètode no suportat (només frontend). Si us plau, serveix la WebUI des del backend.",
"Open": "Obre", "Open": "Obre",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Model de Reranking desactivat", "Reranking Model": "Model de Reranking desactivat",
"Reranking model disabled": "Model de Reranking desactivat", "Reranking model disabled": "Model de Reranking desactivat",
"Reranking model set to \"{{reranking_model}}\"": "Model de Reranking establert a \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Model de Reranking establert a \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Reinicia l'Emmagatzematge de Vectors", "Reset Vector Storage": "Reinicia l'Emmagatzematge de Vectors",
"Response AutoCopy to Clipboard": "Resposta AutoCopiar al Portapapers", "Response AutoCopy to Clipboard": "Resposta AutoCopiar al Portapapers",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Cerca un model", "Search a model": "Cerca un model",
"Search Chats": "Cercar xats", "Search Chats": "Cercar xats",
"Search Documents": "Cerca Documents", "Search Documents": "Cerca Documents",
"Search Functions": "",
"Search Models": "Models de cerca", "Search Models": "Models de cerca",
"Search Prompts": "Cerca Prompts", "Search Prompts": "Cerca Prompts",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "resum curt", "short-summary": "resum curt",
"Show": "Mostra", "Show": "Mostra",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Mostra dreceres", "Show shortcuts": "Mostra dreceres",
"Showcased creativity": "Mostra la creativitat", "Showcased creativity": "Mostra la creativitat",
"sidebar": "barra lateral", "sidebar": "barra lateral",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Sistema", "System": "Sistema",
"System Prompt": "Prompt del Sistema", "System Prompt": "Prompt del Sistema",
"Tags": "Etiquetes", "Tags": "Etiquetes",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Dóna'ns més informació:", "Tell us more:": "Dóna'ns més informació:",
"Temperature": "Temperatura", "Temperature": "Temperatura",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "El puntuatge ha de ser un valor entre 0.0 (0%) i 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "El puntuatge ha de ser un valor entre 0.0 (0%) i 1.0 (100%).",
"Theme": "Tema", "Theme": "Tema",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Això assegura que les teves converses valuoses queden segurament guardades a la teva base de dades backend. Gràcies!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Això assegura que les teves converses valuoses queden segurament guardades a la teva base de dades backend. Gràcies!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Aquesta configuració no es sincronitza entre navegadors ni dispositius.", "This setting does not sync across browsers or devices.": "Aquesta configuració no es sincronitza entre navegadors ni dispositius.",
"This will delete": "",
"Thorough explanation": "Explacació exhaustiva", "Thorough explanation": "Explacació exhaustiva",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Consell: Actualitza diversos espais de variables consecutivament prement la tecla de tabulació en l'entrada del xat després de cada reemplaçament.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Consell: Actualitza diversos espais de variables consecutivament prement la tecla de tabulació en l'entrada del xat després de cada reemplaçament.",
"Title": "Títol", "Title": "Títol",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "a l'entrada del xat.", "to chat input.": "a l'entrada del xat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Avui", "Today": "Avui",
"Toggle settings": "Commuta configuracions", "Toggle settings": "Commuta configuracions",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Tipus", "Type": "Tipus",
"Type Hugging Face Resolve (Download) URL": "Escriu URL de Resolució (Descàrrega) de Hugging Face", "Type Hugging Face Resolve (Download) URL": "Escriu URL de Resolució (Descàrrega) de Hugging Face",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uf! Hi va haver un problema connectant-se a {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uf! Hi va haver un problema connectant-se a {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Tipus d'Arxiu Desconegut '{{file_type}}', però acceptant i tractant com a text pla", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Actualitza i Copia enllaç", "Update and Copy Link": "Actualitza i Copia enllaç",
"Update password": "Actualitza contrasenya", "Update password": "Actualitza contrasenya",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Puja un model GGUF", "Upload a GGUF model": "Puja un model GGUF",
"Upload Files": "Pujar fitxers", "Upload Files": "Pujar fitxers",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "variable", "variable": "variable",
"variable to have them replaced with clipboard content.": "variable per tenir-les reemplaçades amb el contingut del porta-retalls.", "variable to have them replaced with clipboard content.": "variable per tenir-les reemplaçades amb el contingut del porta-retalls.",
"Version": "Versió", "Version": "Versió",
"Voice": "",
"Warning": "Advertiment", "Warning": "Advertiment",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avís: Si actualitzeu o canvieu el model d'incrustació, haureu de tornar a importar tots els documents.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avís: Si actualitzeu o canvieu el model d'incrustació, haureu de tornar a importar tots els documents.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Cercador web", "Web Search": "Cercador web",
"Web Search Engine": "Cercador web", "Web Search Engine": "Cercador web",
"Webhook URL": "URL del webhook", "Webhook URL": "URL del webhook",
"WebUI Add-ons": "Complements de WebUI",
"WebUI Settings": "Configuració de WebUI", "WebUI Settings": "Configuració de WebUI",
"WebUI will make requests to": "WebUI farà peticions a", "WebUI will make requests to": "WebUI farà peticions a",
"What’s New in": "Què hi ha de Nou en", "What’s New in": "Què hi ha de Nou en",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Sa pagtugot", "Allow": "Sa pagtugot",
"Allow Chat Deletion": "Tugoti nga mapapas ang mga chat", "Allow Chat Deletion": "Tugoti nga mapapas ang mga chat",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "alphanumeric nga mga karakter ug hyphen", "alphanumeric characters and hyphens": "alphanumeric nga mga karakter ug hyphen",
"Already have an account?": "Naa na kay account ?", "Already have an account?": "Naa na kay account ?",
"an assistant": "usa ka katabang", "an assistant": "usa ka katabang",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "", "Capabilities": "",
"Change Password": "Usba ang password", "Change Password": "Usba ang password",
"Chat": "Panaghisgot", "Chat": "Panaghisgot",
"Chat Background Image": "",
"Chat Bubble UI": "", "Chat Bubble UI": "",
"Chat direction": "", "Chat direction": "",
"Chat History": "Kasaysayan sa chat", "Chat History": "Kasaysayan sa chat",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "I-klik dinhi alang sa tabang.", "Click here for help.": "I-klik dinhi alang sa tabang.",
"Click here to": "", "Click here to": "",
"Click here to download user import template file.": "",
"Click here to select": "I-klik dinhi aron makapili", "Click here to select": "I-klik dinhi aron makapili",
"Click here to select a csv file.": "", "Click here to select a csv file.": "",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "", "ComfyUI Base URL is required.": "",
"Command": "Pag-order", "Command": "Pag-order",
"Concurrent Requests": "", "Concurrent Requests": "",
"Confirm": "",
"Confirm Password": "Kumpirma ang password", "Confirm Password": "Kumpirma ang password",
"Confirm your action": "",
"Connections": "Mga koneksyon", "Connections": "Mga koneksyon",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Kontento", "Content": "Kontento",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "", "Create new secret key": "",
"Created at": "Gihimo ang", "Created at": "Gihimo ang",
"Created At": "", "Created At": "",
"Created by": "",
"CSV Import": "",
"Current Model": "Kasamtangang modelo", "Current Model": "Kasamtangang modelo",
"Current Password": "Kasamtangang Password", "Current Password": "Kasamtangang Password",
"Custom": "Custom", "Custom": "Custom",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "", "Delete All Chats": "",
"Delete chat": "Pagtangtang sa panaghisgot", "Delete chat": "Pagtangtang sa panaghisgot",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "",
"delete this link": "", "delete this link": "",
"Delete User": "", "Delete User": "",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gipapas", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} gipapas",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "I-export ang mga chat", "Export Chats": "I-export ang mga chat",
"Export Documents Mapping": "I-export ang pagmapa sa dokumento", "Export Documents Mapping": "I-export ang pagmapa sa dokumento",
"Export Functions": "",
"Export Models": "", "Export Models": "",
"Export Prompts": "Export prompts", "Export Prompts": "Export prompts",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "", "February": "",
"Feel free to add specific details": "", "Feel free to add specific details": "",
"File": "",
"File Mode": "File mode", "File Mode": "File mode",
"File not found.": "Wala makit-an ang file.", "File not found.": "Wala makit-an ang file.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
"Fluidly stream large external response chunks": "Hapsay nga paghatud sa daghang mga tipik sa eksternal nga mga tubag", "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", "Focus chat input": "Pag-focus sa entry sa diskusyon",
"Followed instructions perfectly": "", "Followed instructions perfectly": "",
"Form": "",
"Format your variables using square brackets like this:": "I-format ang imong mga variable gamit ang square brackets sama niini:", "Format your variables using square brackets like this:": "I-format ang imong mga variable gamit ang square brackets sama niini:",
"Frequency Penalty": "", "Frequency Penalty": "",
"Functions": "",
"General": "Heneral", "General": "Heneral",
"General Settings": "kinatibuk-ang mga setting", "General Settings": "kinatibuk-ang mga setting",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Maayong buntag, {{name}}", "Hello, {{name}}": "Maayong buntag, {{name}}",
"Help": "", "Help": "",
"Hide": "Tagoa", "Hide": "Tagoa",
"Hide Model": "",
"How can I help you today?": "Unsaon nako pagtabang kanimo karon?", "How can I help you today?": "Unsaon nako pagtabang kanimo karon?",
"Hybrid Search": "", "Hybrid Search": "",
"Image Generation (Experimental)": "Pagmugna og hulagway (Eksperimento)", "Image Generation (Experimental)": "Pagmugna og hulagway (Eksperimento)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Mga hulagway", "Images": "Mga hulagway",
"Import Chats": "Import nga mga chat", "Import Chats": "Import nga mga chat",
"Import Documents Mapping": "Import nga pagmapa sa dokumento", "Import Documents Mapping": "Import nga pagmapa sa dokumento",
"Import Functions": "",
"Import Models": "", "Import Models": "",
"Import Prompts": "Import prompt", "Import Prompts": "Import prompt",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Ang alphanumeric nga mga karakter ug hyphen lang ang gitugotan sa command string.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Ang alphanumeric nga mga karakter ug hyphen lang ang gitugotan sa command string.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oops! ", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oops! ",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oops! ", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oops! ",
"Open": "Bukas", "Open": "Bukas",
"Open AI": "Buksan ang AI", "Open AI": "Buksan ang AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "", "Reranking Model": "",
"Reranking model disabled": "", "Reranking model disabled": "",
"Reranking model set to \"{{reranking_model}}\"": "", "Reranking model set to \"{{reranking_model}}\"": "",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "I-reset ang pagtipig sa vector", "Reset Vector Storage": "I-reset ang pagtipig sa vector",
"Response AutoCopy to Clipboard": "Awtomatikong kopya sa tubag sa clipboard", "Response AutoCopy to Clipboard": "Awtomatikong kopya sa tubag sa clipboard",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "", "Search a model": "",
"Search Chats": "", "Search Chats": "",
"Search Documents": "Pangitaa ang mga dokumento", "Search Documents": "Pangitaa ang mga dokumento",
"Search Functions": "",
"Search Models": "", "Search Models": "",
"Search Prompts": "Pangitaa ang mga prompt", "Search Prompts": "Pangitaa ang mga prompt",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "mubo nga summary", "short-summary": "mubo nga summary",
"Show": "Pagpakita", "Show": "Pagpakita",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Ipakita ang mga shortcut", "Show shortcuts": "Ipakita ang mga shortcut",
"Showcased creativity": "", "Showcased creativity": "",
"sidebar": "lateral bar", "sidebar": "lateral bar",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "Sistema", "System": "Sistema",
"System Prompt": "Madasig nga Sistema", "System Prompt": "Madasig nga Sistema",
"Tags": "Mga tag", "Tags": "Mga tag",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "", "Tell us more:": "",
"Temperature": "Temperatura", "Temperature": "Temperatura",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "",
"Theme": "Tema", "Theme": "Tema",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Kini nagsiguro nga ang imong bililhon nga mga panag-istoryahanay luwas nga natipig sa imong backend database. ", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Kini nagsiguro nga ang imong bililhon nga mga panag-istoryahanay luwas nga natipig sa imong backend database. ",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Kini nga setting wala mag-sync tali sa mga browser o device.", "This setting does not sync across browsers or devices.": "Kini nga setting wala mag-sync tali sa mga browser o device.",
"This will delete": "",
"Thorough explanation": "", "Thorough explanation": "",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Sugyot: Pag-update sa daghang variable nga lokasyon nga sunud-sunod pinaagi sa pagpindot sa tab key sa chat entry pagkahuman sa matag puli.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Sugyot: Pag-update sa daghang variable nga lokasyon nga sunud-sunod pinaagi sa pagpindot sa tab key sa chat entry pagkahuman sa matag puli.",
"Title": "Titulo", "Title": "Titulo",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "sa entrada sa iring.", "to chat input.": "sa entrada sa iring.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "", "Today": "",
"Toggle settings": "I-toggle ang mga setting", "Toggle settings": "I-toggle ang mga setting",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "", "Type": "",
"Type Hugging Face Resolve (Download) URL": "Pagsulod sa resolusyon (pag-download) URL Hugging Face", "Type Hugging Face Resolve (Download) URL": "Pagsulod sa resolusyon (pag-download) URL Hugging Face",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Wala mailhi nga tipo sa file '{{file_type}}', apan gidawat ug gitratar ingon yano nga teksto", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "", "Update and Copy Link": "",
"Update password": "I-update ang password", "Update password": "I-update ang password",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Pag-upload ug modelo sa GGUF", "Upload a GGUF model": "Pag-upload ug modelo sa GGUF",
"Upload Files": "", "Upload Files": "",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "variable", "variable": "variable",
"variable to have them replaced with clipboard content.": "variable aron pulihan kini sa mga sulud sa clipboard.", "variable to have them replaced with clipboard content.": "variable aron pulihan kini sa mga sulud sa clipboard.",
"Version": "Bersyon", "Version": "Bersyon",
"Voice": "",
"Warning": "", "Warning": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "Web", "Web": "Web",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "", "Web Search": "",
"Web Search Engine": "", "Web Search Engine": "",
"Webhook URL": "", "Webhook URL": "",
"WebUI Add-ons": "Mga add-on sa WebUI",
"WebUI Settings": "Mga Setting sa WebUI", "WebUI Settings": "Mga Setting sa WebUI",
"WebUI will make requests to": "Ang WebUI maghimo mga hangyo sa", "WebUI will make requests to": "Ang WebUI maghimo mga hangyo sa",
"What’s New in": "Unsay bag-o sa", "What’s New in": "Unsay bag-o sa",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Erlauben", "Allow": "Erlauben",
"Allow Chat Deletion": "Chat Löschung erlauben", "Allow Chat Deletion": "Chat Löschung erlauben",
"Allow non-local voices": "Nicht-lokale Stimmen erlauben", "Allow non-local voices": "Nicht-lokale Stimmen erlauben",
"Allow User Location": "",
"alphanumeric characters and hyphens": "alphanumerische Zeichen und Bindestriche", "alphanumeric characters and hyphens": "alphanumerische Zeichen und Bindestriche",
"Already have an account?": "Hast du vielleicht schon ein Account?", "Already have an account?": "Hast du vielleicht schon ein Account?",
"an assistant": "ein Assistent", "an assistant": "ein Assistent",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Fähigkeiten", "Capabilities": "Fähigkeiten",
"Change Password": "Passwort ändern", "Change Password": "Passwort ändern",
"Chat": "Chat", "Chat": "Chat",
"Chat Background Image": "",
"Chat Bubble UI": "Chat Bubble UI", "Chat Bubble UI": "Chat Bubble UI",
"Chat direction": "Chat Richtung", "Chat direction": "Chat Richtung",
"Chat History": "Chat Verlauf", "Chat History": "Chat Verlauf",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "Memory löschen", "Clear memory": "Memory löschen",
"Click here for help.": "Klicke hier für Hilfe.", "Click here for help.": "Klicke hier für Hilfe.",
"Click here to": "Klicke hier, um", "Click here to": "Klicke hier, um",
"Click here to download user import template file.": "",
"Click here to select": "Klicke hier um auszuwählen", "Click here to select": "Klicke hier um auszuwählen",
"Click here to select a csv file.": "Klicke hier um eine CSV-Datei auszuwählen.", "Click here to select a csv file.": "Klicke hier um eine CSV-Datei auszuwählen.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI Base URL wird benötigt.", "ComfyUI Base URL is required.": "ComfyUI Base URL wird benötigt.",
"Command": "Befehl", "Command": "Befehl",
"Concurrent Requests": "Gleichzeitige Anforderungen", "Concurrent Requests": "Gleichzeitige Anforderungen",
"Confirm": "",
"Confirm Password": "Passwort bestätigen", "Confirm Password": "Passwort bestätigen",
"Confirm your action": "",
"Connections": "Verbindungen", "Connections": "Verbindungen",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Info", "Content": "Info",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Neuen API Schlüssel erstellen", "Create new secret key": "Neuen API Schlüssel erstellen",
"Created at": "Erstellt am", "Created at": "Erstellt am",
"Created At": "Erstellt am", "Created At": "Erstellt am",
"Created by": "",
"CSV Import": "",
"Current Model": "Aktuelles Modell", "Current Model": "Aktuelles Modell",
"Current Password": "Aktuelles Passwort", "Current Password": "Aktuelles Passwort",
"Custom": "Benutzerdefiniert", "Custom": "Benutzerdefiniert",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Alle Chats löschen", "Delete All Chats": "Alle Chats löschen",
"Delete chat": "Chat löschen", "Delete chat": "Chat löschen",
"Delete Chat": "Chat löschen", "Delete Chat": "Chat löschen",
"Delete chat?": "",
"delete this link": "diesen Link zu löschen", "delete this link": "diesen Link zu löschen",
"Delete User": "Benutzer löschen", "Delete User": "Benutzer löschen",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gelöscht", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} gelöscht",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "Chat exportieren (.json)", "Export chat (.json)": "Chat exportieren (.json)",
"Export Chats": "Chats exportieren", "Export Chats": "Chats exportieren",
"Export Documents Mapping": "Dokumentenmapping exportieren", "Export Documents Mapping": "Dokumentenmapping exportieren",
"Export Functions": "",
"Export Models": "Modelle exportieren", "Export Models": "Modelle exportieren",
"Export Prompts": "Prompts exportieren", "Export Prompts": "Prompts exportieren",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "Fehler beim Aktualisieren der Einstellungen", "Failed to update settings": "Fehler beim Aktualisieren der Einstellungen",
"February": "Februar", "February": "Februar",
"Feel free to add specific details": "Ergänze Details.", "Feel free to add specific details": "Ergänze Details.",
"File": "",
"File Mode": "File Modus", "File Mode": "File Modus",
"File not found.": "Datei nicht gefunden.", "File not found.": "Datei nicht gefunden.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingerprint spoofing erkannt: Initialen können nicht als Avatar verwendet werden. Es wird auf das Standardprofilbild zurückgegriffen.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Fingerprint spoofing erkannt: Initialen können nicht als Avatar verwendet werden. Es wird auf das Standardprofilbild zurückgegriffen.",
"Fluidly stream large external response chunks": "Große externe Antwortblöcke flüssig streamen", "Fluidly stream large external response chunks": "Große externe Antwortblöcke flüssig streamen",
"Focus chat input": "Chat-Eingabe fokussieren", "Focus chat input": "Chat-Eingabe fokussieren",
"Followed instructions perfectly": "Anweisungen perfekt befolgt", "Followed instructions perfectly": "Anweisungen perfekt befolgt",
"Form": "",
"Format your variables using square brackets like this:": "Formatiere deine Variablen mit eckigen Klammern wie folgt:", "Format your variables using square brackets like this:": "Formatiere deine Variablen mit eckigen Klammern wie folgt:",
"Frequency Penalty": "Frequenz-Strafe", "Frequency Penalty": "Frequenz-Strafe",
"Functions": "",
"General": "Allgemein", "General": "Allgemein",
"General Settings": "Allgemeine Einstellungen", "General Settings": "Allgemeine Einstellungen",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Hallo, {{name}}", "Hello, {{name}}": "Hallo, {{name}}",
"Help": "Hilfe", "Help": "Hilfe",
"Hide": "Verbergen", "Hide": "Verbergen",
"Hide Model": "",
"How can I help you today?": "Wie kann ich dir heute helfen?", "How can I help you today?": "Wie kann ich dir heute helfen?",
"Hybrid Search": "Hybride Suche", "Hybrid Search": "Hybride Suche",
"Image Generation (Experimental)": "Bildgenerierung (experimentell)", "Image Generation (Experimental)": "Bildgenerierung (experimentell)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Bilder", "Images": "Bilder",
"Import Chats": "Chats importieren", "Import Chats": "Chats importieren",
"Import Documents Mapping": "Dokumentenmapping importieren", "Import Documents Mapping": "Dokumentenmapping importieren",
"Import Functions": "",
"Import Models": "Modelle importieren", "Import Models": "Modelle importieren",
"Import Prompts": "Prompts importieren", "Import Prompts": "Prompts importieren",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Nur alphanumerische Zeichen und Bindestriche sind im Befehlsstring erlaubt.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Nur alphanumerische Zeichen und Bindestriche sind im Befehlsstring erlaubt.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Hoppla! Warte noch einen Moment! Die Dateien sind noch im der Verarbeitung. Bitte habe etwas Geduld und wir informieren Dich, sobald sie bereit sind.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Hoppla! Warte noch einen Moment! Die Dateien sind noch im der Verarbeitung. Bitte habe etwas Geduld und wir informieren Dich, sobald sie bereit sind.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es sieht so aus, als wäre die URL ungültig. Bitte überprüfe sie und versuche es nochmal.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es sieht so aus, als wäre die URL ungültig. Bitte überprüfe sie und versuche es nochmal.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Hoppla! du verwendest eine nicht unterstützte Methode (nur Frontend). Bitte stelle die WebUI vom Backend aus bereit.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Hoppla! du verwendest eine nicht unterstützte Methode (nur Frontend). Bitte stelle die WebUI vom Backend aus bereit.",
"Open": "Öffne", "Open": "Öffne",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Reranking Modell", "Reranking Model": "Reranking Modell",
"Reranking model disabled": "Rranking Modell deaktiviert", "Reranking model disabled": "Rranking Modell deaktiviert",
"Reranking model set to \"{{reranking_model}}\"": "Reranking Modell auf \"{{reranking_model}}\" gesetzt", "Reranking model set to \"{{reranking_model}}\"": "Reranking Modell auf \"{{reranking_model}}\" gesetzt",
"Reset": "",
"Reset Upload Directory": "Uploadverzeichnis löschen", "Reset Upload Directory": "Uploadverzeichnis löschen",
"Reset Vector Storage": "Vektorspeicher zurücksetzen", "Reset Vector Storage": "Vektorspeicher zurücksetzen",
"Response AutoCopy to Clipboard": "Antwort automatisch in die Zwischenablage kopieren", "Response AutoCopy to Clipboard": "Antwort automatisch in die Zwischenablage kopieren",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Nach einem Modell suchen", "Search a model": "Nach einem Modell suchen",
"Search Chats": "Chats durchsuchen", "Search Chats": "Chats durchsuchen",
"Search Documents": "Dokumente suchen", "Search Documents": "Dokumente suchen",
"Search Functions": "",
"Search Models": "Modelle suchen", "Search Models": "Modelle suchen",
"Search Prompts": "Prompts suchen", "Search Prompts": "Prompts suchen",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "kurze-zusammenfassung", "short-summary": "kurze-zusammenfassung",
"Show": "Anzeigen", "Show": "Anzeigen",
"Show Admin Details in Account Pending Overlay": "Admin-Details im Account-Pending-Overlay anzeigen", "Show Admin Details in Account Pending Overlay": "Admin-Details im Account-Pending-Overlay anzeigen",
"Show Model": "",
"Show shortcuts": "Verknüpfungen anzeigen", "Show shortcuts": "Verknüpfungen anzeigen",
"Showcased creativity": "Kreativität zur Schau gestellt", "Showcased creativity": "Kreativität zur Schau gestellt",
"sidebar": "Seitenleiste", "sidebar": "Seitenleiste",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "System", "System": "System",
"System Prompt": "System-Prompt", "System Prompt": "System-Prompt",
"Tags": "Tags", "Tags": "Tags",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Erzähl uns mehr", "Tell us more:": "Erzähl uns mehr",
"Temperature": "Temperatur", "Temperature": "Temperatur",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Der Score sollte ein Wert zwischen 0,0 (0 %) und 1,0 (100 %) sein.", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Der Score sollte ein Wert zwischen 0,0 (0 %) und 1,0 (100 %) sein.",
"Theme": "Design", "Theme": "Design",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dadurch werden deine wertvollen Unterhaltungen sicher in der Backend-Datenbank gespeichert. Vielen Dank!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dadurch werden deine wertvollen Unterhaltungen sicher in der Backend-Datenbank gespeichert. Vielen Dank!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Diese Einstellung wird nicht zwischen Browsern oder Geräten synchronisiert.", "This setting does not sync across browsers or devices.": "Diese Einstellung wird nicht zwischen Browsern oder Geräten synchronisiert.",
"This will delete": "",
"Thorough explanation": "Genaue Erklärung", "Thorough explanation": "Genaue Erklärung",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tipp: Aktualisiere mehrere Variablen nacheinander, indem du nach jeder Aktualisierung die Tabulatortaste im Chat-Eingabefeld drückst.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tipp: Aktualisiere mehrere Variablen nacheinander, indem du nach jeder Aktualisierung die Tabulatortaste im Chat-Eingabefeld drückst.",
"Title": "Titel", "Title": "Titel",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "to chat input.", "to chat input.": "to chat input.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Heute", "Today": "Heute",
"Toggle settings": "Einstellungen umschalten", "Toggle settings": "Einstellungen umschalten",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "Art", "Type": "Art",
"Type Hugging Face Resolve (Download) URL": "Gib die Hugging Face Resolve (Download) URL ein", "Type Hugging Face Resolve (Download) URL": "Gib die Hugging Face Resolve (Download) URL ein",
"Uh-oh! There was an issue connecting to {{provider}}.": "Ups! Es gab ein Problem bei der Verbindung mit {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Ups! Es gab ein Problem bei der Verbindung mit {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Unbekannter Dateityp '{{file_type}}', wird jedoch akzeptiert und als einfacher Text behandelt.", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Erneuern und kopieren", "Update and Copy Link": "Erneuern und kopieren",
"Update password": "Passwort aktualisieren", "Update password": "Passwort aktualisieren",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "GGUF Model hochladen", "Upload a GGUF model": "GGUF Model hochladen",
"Upload Files": "Dateien hochladen", "Upload Files": "Dateien hochladen",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "Variable", "variable": "Variable",
"variable to have them replaced with clipboard content.": "Variable, um den Inhalt der Zwischenablage beim Nutzen des Prompts zu ersetzen.", "variable to have them replaced with clipboard content.": "Variable, um den Inhalt der Zwischenablage beim Nutzen des Prompts zu ersetzen.",
"Version": "Version", "Version": "Version",
"Voice": "",
"Warning": "Warnung", "Warning": "Warnung",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Warnung: Wenn du dein Einbettungsmodell aktualisierst oder änderst, musst du alle Dokumente erneut importieren.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Warnung: Wenn du dein Einbettungsmodell aktualisierst oder änderst, musst du alle Dokumente erneut importieren.",
"Web": "Web", "Web": "Web",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "Websuche", "Web Search": "Websuche",
"Web Search Engine": "Web-Suchmaschine", "Web Search Engine": "Web-Suchmaschine",
"Webhook URL": "Webhook URL", "Webhook URL": "Webhook URL",
"WebUI Add-ons": "WebUI-Add-Ons",
"WebUI Settings": "WebUI-Einstellungen", "WebUI Settings": "WebUI-Einstellungen",
"WebUI will make requests to": "Wenn aktiviert sendet WebUI externe Anfragen an", "WebUI will make requests to": "Wenn aktiviert sendet WebUI externe Anfragen an",
"What’s New in": "Was gibt's Neues in", "What’s New in": "Was gibt's Neues in",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Allow", "Allow": "Allow",
"Allow Chat Deletion": "Allow Delete Chats", "Allow Chat Deletion": "Allow Delete Chats",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "so alpha, many hyphen", "alphanumeric characters and hyphens": "so alpha, many hyphen",
"Already have an account?": "Such account exists?", "Already have an account?": "Such account exists?",
"an assistant": "such assistant", "an assistant": "such assistant",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "", "Capabilities": "",
"Change Password": "Change Password", "Change Password": "Change Password",
"Chat": "Chat", "Chat": "Chat",
"Chat Background Image": "",
"Chat Bubble UI": "", "Chat Bubble UI": "",
"Chat direction": "", "Chat direction": "",
"Chat History": "Chat History", "Chat History": "Chat History",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Click for help. Much assist.", "Click here for help.": "Click for help. Much assist.",
"Click here to": "", "Click here to": "",
"Click here to download user import template file.": "",
"Click here to select": "Click to select", "Click here to select": "Click to select",
"Click here to select a csv file.": "", "Click here to select a csv file.": "",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "", "ComfyUI Base URL is required.": "",
"Command": "Command", "Command": "Command",
"Concurrent Requests": "", "Concurrent Requests": "",
"Confirm": "",
"Confirm Password": "Confirm Password", "Confirm Password": "Confirm Password",
"Confirm your action": "",
"Connections": "Connections", "Connections": "Connections",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Content", "Content": "Content",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "", "Create new secret key": "",
"Created at": "Created at", "Created at": "Created at",
"Created At": "", "Created At": "",
"Created by": "",
"CSV Import": "",
"Current Model": "Current Model", "Current Model": "Current Model",
"Current Password": "Current Password", "Current Password": "Current Password",
"Custom": "Custom", "Custom": "Custom",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "", "Delete All Chats": "",
"Delete chat": "Delete chat", "Delete chat": "Delete chat",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "",
"delete this link": "", "delete this link": "",
"Delete User": "", "Delete User": "",
"Deleted {{deleteModelTag}}": "Deleted {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Deleted {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Export Barks", "Export Chats": "Export Barks",
"Export Documents Mapping": "Export Mappings of Dogos", "Export Documents Mapping": "Export Mappings of Dogos",
"Export Functions": "",
"Export Models": "", "Export Models": "",
"Export Prompts": "Export Promptos", "Export Prompts": "Export Promptos",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "", "February": "",
"Feel free to add specific details": "", "Feel free to add specific details": "",
"File": "",
"File Mode": "Bark Mode", "File Mode": "Bark Mode",
"File not found.": "Bark not found.", "File not found.": "Bark not found.",
"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.", "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.",
"Fluidly stream large external response chunks": "Fluidly wow big chunks", "Fluidly stream large external response chunks": "Fluidly wow big chunks",
"Focus chat input": "Focus chat bork", "Focus chat input": "Focus chat bork",
"Followed instructions perfectly": "", "Followed instructions perfectly": "",
"Form": "",
"Format your variables using square brackets like this:": "Format variables using square brackets like wow:", "Format your variables using square brackets like this:": "Format variables using square brackets like wow:",
"Frequency Penalty": "", "Frequency Penalty": "",
"Functions": "",
"General": "Woweral", "General": "Woweral",
"General Settings": "General Doge Settings", "General Settings": "General Doge Settings",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Much helo, {{name}}", "Hello, {{name}}": "Much helo, {{name}}",
"Help": "", "Help": "",
"Hide": "Hide", "Hide": "Hide",
"Hide Model": "",
"How can I help you today?": "How can I halp u today?", "How can I help you today?": "How can I halp u today?",
"Hybrid Search": "", "Hybrid Search": "",
"Image Generation (Experimental)": "Image Wow (Much Experiment)", "Image Generation (Experimental)": "Image Wow (Much Experiment)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Wowmages", "Images": "Wowmages",
"Import Chats": "Import Barks", "Import Chats": "Import Barks",
"Import Documents Mapping": "Import Doge Mapping", "Import Documents Mapping": "Import Doge Mapping",
"Import Functions": "",
"Import Models": "", "Import Models": "",
"Import Prompts": "Import Promptos", "Import Prompts": "Import Promptos",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Looks like the URL is invalid. Please double-check and try again.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Looks like the URL is invalid. Please double-check and try again.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.",
"Open": "Open", "Open": "Open",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "", "Reranking Model": "",
"Reranking model disabled": "", "Reranking model disabled": "",
"Reranking model set to \"{{reranking_model}}\"": "", "Reranking model set to \"{{reranking_model}}\"": "",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Reset Vector Storage", "Reset Vector Storage": "Reset Vector Storage",
"Response AutoCopy to Clipboard": "Copy Bark Auto Bark", "Response AutoCopy to Clipboard": "Copy Bark Auto Bark",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "", "Search a model": "",
"Search Chats": "", "Search Chats": "",
"Search Documents": "Search Documents much find", "Search Documents": "Search Documents much find",
"Search Functions": "",
"Search Models": "", "Search Models": "",
"Search Prompts": "Search Prompts much wow", "Search Prompts": "Search Prompts much wow",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -432,6 +450,8 @@ ...@@ -432,6 +450,8 @@
"Search Result Count": "", "Search Result Count": "",
"Search Tools": "", "Search Tools": "",
"Searched {{count}} sites_one": "", "Searched {{count}} sites_one": "",
"Searched {{count}} sites_few": "",
"Searched {{count}} sites_many": "",
"Searched {{count}} sites_other": "", "Searched {{count}} sites_other": "",
"Searching \"{{searchQuery}}\"": "", "Searching \"{{searchQuery}}\"": "",
"Searxng Query URL": "", "Searxng Query URL": "",
...@@ -474,6 +494,7 @@ ...@@ -474,6 +494,7 @@
"short-summary": "short-summary so short", "short-summary": "short-summary so short",
"Show": "Show much show", "Show": "Show much show",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Show shortcuts much shortcut", "Show shortcuts": "Show shortcuts much shortcut",
"Showcased creativity": "", "Showcased creativity": "",
"sidebar": "sidebar much side", "sidebar": "sidebar much side",
...@@ -495,6 +516,7 @@ ...@@ -495,6 +516,7 @@
"System": "System very system", "System": "System very system",
"System Prompt": "System Prompt much prompt", "System Prompt": "System Prompt much prompt",
"Tags": "Tags very tags", "Tags": "Tags very tags",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "", "Tell us more:": "",
"Temperature": "Temperature very temp", "Temperature": "Temperature very temp",
...@@ -506,9 +528,11 @@ ...@@ -506,9 +528,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "",
"Theme": "Theme much theme", "Theme": "Theme much theme",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "This ensures that your valuable conversations are securely saved to your backend database. Thank you! Much secure!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "This ensures that your valuable conversations are securely saved to your backend database. Thank you! Much secure!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "This setting does not sync across browsers or devices. Very not sync.", "This setting does not sync across browsers or devices.": "This setting does not sync across browsers or devices. Very not sync.",
"This will delete": "",
"Thorough explanation": "", "Thorough explanation": "",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement. Much tip!", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement. Much tip!",
"Title": "Title very title", "Title": "Title very title",
...@@ -522,6 +546,7 @@ ...@@ -522,6 +546,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "to chat input. Very chat.", "to chat input.": "to chat input. Very chat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "", "Today": "",
"Toggle settings": "Toggle settings much toggle", "Toggle settings": "Toggle settings much toggle",
...@@ -537,10 +562,13 @@ ...@@ -537,10 +562,13 @@
"Type": "", "Type": "",
"Type Hugging Face Resolve (Download) URL": "Type Hugging Face Resolve (Download) URL much download", "Type Hugging Face Resolve (Download) URL": "Type Hugging Face Resolve (Download) URL much download",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! There was an issue connecting to {{provider}}. Much uh-oh!", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! There was an issue connecting to {{provider}}. Much uh-oh!",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Unknown File Type '{{file_type}}', but accepting and treating as plain text very unknown", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "", "Update and Copy Link": "",
"Update password": "Update password much change", "Update password": "Update password much change",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Upload a GGUF model very upload", "Upload a GGUF model": "Upload a GGUF model very upload",
"Upload Files": "", "Upload Files": "",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +587,7 @@ ...@@ -559,6 +587,7 @@
"variable": "variable very variable", "variable": "variable very variable",
"variable to have them replaced with clipboard content.": "variable to have them replaced with clipboard content. Very replace.", "variable to have them replaced with clipboard content.": "variable to have them replaced with clipboard content. Very replace.",
"Version": "Version much version", "Version": "Version much version",
"Voice": "",
"Warning": "", "Warning": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "Web very web", "Web": "Web very web",
...@@ -568,7 +597,6 @@ ...@@ -568,7 +597,6 @@
"Web Search": "", "Web Search": "",
"Web Search Engine": "", "Web Search Engine": "",
"Webhook URL": "", "Webhook URL": "",
"WebUI Add-ons": "WebUI Add-ons very add-ons",
"WebUI Settings": "WebUI Settings much settings", "WebUI Settings": "WebUI Settings much settings",
"WebUI will make requests to": "WebUI will make requests to much request", "WebUI will make requests to": "WebUI will make requests to much request",
"What’s New in": "What’s New in much new", "What’s New in": "What’s New in much new",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "", "Allow": "",
"Allow Chat Deletion": "", "Allow Chat Deletion": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "", "alphanumeric characters and hyphens": "",
"Already have an account?": "", "Already have an account?": "",
"an assistant": "", "an assistant": "",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "", "Capabilities": "",
"Change Password": "", "Change Password": "",
"Chat": "", "Chat": "",
"Chat Background Image": "",
"Chat Bubble UI": "", "Chat Bubble UI": "",
"Chat direction": "", "Chat direction": "",
"Chat History": "", "Chat History": "",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "", "Click here for help.": "",
"Click here to": "", "Click here to": "",
"Click here to download user import template file.": "",
"Click here to select": "", "Click here to select": "",
"Click here to select a csv file.": "", "Click here to select a csv file.": "",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "", "ComfyUI Base URL is required.": "",
"Command": "", "Command": "",
"Concurrent Requests": "", "Concurrent Requests": "",
"Confirm": "",
"Confirm Password": "", "Confirm Password": "",
"Confirm your action": "",
"Connections": "", "Connections": "",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "", "Content": "",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "", "Create new secret key": "",
"Created at": "", "Created at": "",
"Created At": "", "Created At": "",
"Created by": "",
"CSV Import": "",
"Current Model": "", "Current Model": "",
"Current Password": "", "Current Password": "",
"Custom": "", "Custom": "",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "", "Delete All Chats": "",
"Delete chat": "", "Delete chat": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "",
"delete this link": "", "delete this link": "",
"Delete User": "", "Delete User": "",
"Deleted {{deleteModelTag}}": "", "Deleted {{deleteModelTag}}": "",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "", "Export Chats": "",
"Export Documents Mapping": "", "Export Documents Mapping": "",
"Export Functions": "",
"Export Models": "", "Export Models": "",
"Export Prompts": "", "Export Prompts": "",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "", "February": "",
"Feel free to add specific details": "", "Feel free to add specific details": "",
"File": "",
"File Mode": "", "File Mode": "",
"File not found.": "", "File not found.": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
"Fluidly stream large external response chunks": "", "Fluidly stream large external response chunks": "",
"Focus chat input": "", "Focus chat input": "",
"Followed instructions perfectly": "", "Followed instructions perfectly": "",
"Form": "",
"Format your variables using square brackets like this:": "", "Format your variables using square brackets like this:": "",
"Frequency Penalty": "", "Frequency Penalty": "",
"Functions": "",
"General": "", "General": "",
"General Settings": "", "General Settings": "",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "", "Hello, {{name}}": "",
"Help": "", "Help": "",
"Hide": "", "Hide": "",
"Hide Model": "",
"How can I help you today?": "", "How can I help you today?": "",
"Hybrid Search": "", "Hybrid Search": "",
"Image Generation (Experimental)": "", "Image Generation (Experimental)": "",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "", "Images": "",
"Import Chats": "", "Import Chats": "",
"Import Documents Mapping": "", "Import Documents Mapping": "",
"Import Functions": "",
"Import Models": "", "Import Models": "",
"Import Prompts": "", "Import Prompts": "",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "",
"Open": "", "Open": "",
"Open AI": "", "Open AI": "",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "", "Reranking Model": "",
"Reranking model disabled": "", "Reranking model disabled": "",
"Reranking model set to \"{{reranking_model}}\"": "", "Reranking model set to \"{{reranking_model}}\"": "",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "", "Reset Vector Storage": "",
"Response AutoCopy to Clipboard": "", "Response AutoCopy to Clipboard": "",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "", "Search a model": "",
"Search Chats": "", "Search Chats": "",
"Search Documents": "", "Search Documents": "",
"Search Functions": "",
"Search Models": "", "Search Models": "",
"Search Prompts": "", "Search Prompts": "",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "", "short-summary": "",
"Show": "", "Show": "",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "", "Show shortcuts": "",
"Showcased creativity": "", "Showcased creativity": "",
"sidebar": "", "sidebar": "",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "", "System": "",
"System Prompt": "", "System Prompt": "",
"Tags": "", "Tags": "",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "", "Tell us more:": "",
"Temperature": "", "Temperature": "",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "",
"Theme": "", "Theme": "",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "", "This setting does not sync across browsers or devices.": "",
"This will delete": "",
"Thorough explanation": "", "Thorough explanation": "",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "",
"Title": "", "Title": "",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "", "to chat input.": "",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "", "Today": "",
"Toggle settings": "", "Toggle settings": "",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "", "Type": "",
"Type Hugging Face Resolve (Download) URL": "", "Type Hugging Face Resolve (Download) URL": "",
"Uh-oh! There was an issue connecting to {{provider}}.": "", "Uh-oh! There was an issue connecting to {{provider}}.": "",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "", "Update and Copy Link": "",
"Update password": "", "Update password": "",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "", "Upload a GGUF model": "",
"Upload Files": "", "Upload Files": "",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "", "variable": "",
"variable to have them replaced with clipboard content.": "", "variable to have them replaced with clipboard content.": "",
"Version": "", "Version": "",
"Voice": "",
"Warning": "", "Warning": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "", "Web": "",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "", "Web Search": "",
"Web Search Engine": "", "Web Search Engine": "",
"Webhook URL": "", "Webhook URL": "",
"WebUI Add-ons": "",
"WebUI Settings": "", "WebUI Settings": "",
"WebUI will make requests to": "", "WebUI will make requests to": "",
"What’s New in": "", "What’s New in": "",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "", "Allow": "",
"Allow Chat Deletion": "", "Allow Chat Deletion": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "", "alphanumeric characters and hyphens": "",
"Already have an account?": "", "Already have an account?": "",
"an assistant": "", "an assistant": "",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "", "Capabilities": "",
"Change Password": "", "Change Password": "",
"Chat": "", "Chat": "",
"Chat Background Image": "",
"Chat Bubble UI": "", "Chat Bubble UI": "",
"Chat direction": "", "Chat direction": "",
"Chat History": "", "Chat History": "",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "", "Click here for help.": "",
"Click here to": "", "Click here to": "",
"Click here to download user import template file.": "",
"Click here to select": "", "Click here to select": "",
"Click here to select a csv file.": "", "Click here to select a csv file.": "",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "", "ComfyUI Base URL is required.": "",
"Command": "", "Command": "",
"Concurrent Requests": "", "Concurrent Requests": "",
"Confirm": "",
"Confirm Password": "", "Confirm Password": "",
"Confirm your action": "",
"Connections": "", "Connections": "",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "", "Content": "",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "", "Create new secret key": "",
"Created at": "", "Created at": "",
"Created At": "", "Created At": "",
"Created by": "",
"CSV Import": "",
"Current Model": "", "Current Model": "",
"Current Password": "", "Current Password": "",
"Custom": "", "Custom": "",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "", "Delete All Chats": "",
"Delete chat": "", "Delete chat": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "",
"delete this link": "", "delete this link": "",
"Delete User": "", "Delete User": "",
"Deleted {{deleteModelTag}}": "", "Deleted {{deleteModelTag}}": "",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "", "Export Chats": "",
"Export Documents Mapping": "", "Export Documents Mapping": "",
"Export Functions": "",
"Export Models": "", "Export Models": "",
"Export Prompts": "", "Export Prompts": "",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "", "February": "",
"Feel free to add specific details": "", "Feel free to add specific details": "",
"File": "",
"File Mode": "", "File Mode": "",
"File not found.": "", "File not found.": "",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "",
"Fluidly stream large external response chunks": "", "Fluidly stream large external response chunks": "",
"Focus chat input": "", "Focus chat input": "",
"Followed instructions perfectly": "", "Followed instructions perfectly": "",
"Form": "",
"Format your variables using square brackets like this:": "", "Format your variables using square brackets like this:": "",
"Frequency Penalty": "", "Frequency Penalty": "",
"Functions": "",
"General": "", "General": "",
"General Settings": "", "General Settings": "",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "", "Hello, {{name}}": "",
"Help": "", "Help": "",
"Hide": "", "Hide": "",
"Hide Model": "",
"How can I help you today?": "", "How can I help you today?": "",
"Hybrid Search": "", "Hybrid Search": "",
"Image Generation (Experimental)": "", "Image Generation (Experimental)": "",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "", "Images": "",
"Import Chats": "", "Import Chats": "",
"Import Documents Mapping": "", "Import Documents Mapping": "",
"Import Functions": "",
"Import Models": "", "Import Models": "",
"Import Prompts": "", "Import Prompts": "",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "",
"Open": "", "Open": "",
"Open AI": "", "Open AI": "",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "", "Reranking Model": "",
"Reranking model disabled": "", "Reranking model disabled": "",
"Reranking model set to \"{{reranking_model}}\"": "", "Reranking model set to \"{{reranking_model}}\"": "",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "", "Reset Vector Storage": "",
"Response AutoCopy to Clipboard": "", "Response AutoCopy to Clipboard": "",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "", "Search a model": "",
"Search Chats": "", "Search Chats": "",
"Search Documents": "", "Search Documents": "",
"Search Functions": "",
"Search Models": "", "Search Models": "",
"Search Prompts": "", "Search Prompts": "",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "", "short-summary": "",
"Show": "", "Show": "",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "", "Show shortcuts": "",
"Showcased creativity": "", "Showcased creativity": "",
"sidebar": "", "sidebar": "",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "", "System": "",
"System Prompt": "", "System Prompt": "",
"Tags": "", "Tags": "",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "", "Tell us more:": "",
"Temperature": "", "Temperature": "",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "",
"Theme": "", "Theme": "",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "", "This setting does not sync across browsers or devices.": "",
"This will delete": "",
"Thorough explanation": "", "Thorough explanation": "",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "",
"Title": "", "Title": "",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "", "to chat input.": "",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "", "Today": "",
"Toggle settings": "", "Toggle settings": "",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "", "Type": "",
"Type Hugging Face Resolve (Download) URL": "", "Type Hugging Face Resolve (Download) URL": "",
"Uh-oh! There was an issue connecting to {{provider}}.": "", "Uh-oh! There was an issue connecting to {{provider}}.": "",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "", "Update and Copy Link": "",
"Update password": "", "Update password": "",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "", "Upload a GGUF model": "",
"Upload Files": "", "Upload Files": "",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "", "variable": "",
"variable to have them replaced with clipboard content.": "", "variable to have them replaced with clipboard content.": "",
"Version": "", "Version": "",
"Voice": "",
"Warning": "", "Warning": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "", "Web": "",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "", "Web Search": "",
"Web Search Engine": "", "Web Search Engine": "",
"Webhook URL": "", "Webhook URL": "",
"WebUI Add-ons": "",
"WebUI Settings": "", "WebUI Settings": "",
"WebUI will make requests to": "", "WebUI will make requests to": "",
"What’s New in": "", "What’s New in": "",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Permitir", "Allow": "Permitir",
"Allow Chat Deletion": "Permitir Borrar Chats", "Allow Chat Deletion": "Permitir Borrar Chats",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "caracteres alfanuméricos y guiones", "alphanumeric characters and hyphens": "caracteres alfanuméricos y guiones",
"Already have an account?": "¿Ya tienes una cuenta?", "Already have an account?": "¿Ya tienes una cuenta?",
"an assistant": "un asistente", "an assistant": "un asistente",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Capacidades", "Capabilities": "Capacidades",
"Change Password": "Cambia la Contraseña", "Change Password": "Cambia la Contraseña",
"Chat": "Chat", "Chat": "Chat",
"Chat Background Image": "",
"Chat Bubble UI": "Burbuja de chat UI", "Chat Bubble UI": "Burbuja de chat UI",
"Chat direction": "Dirección del Chat", "Chat direction": "Dirección del Chat",
"Chat History": "Historial del Chat", "Chat History": "Historial del Chat",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Presiona aquí para obtener ayuda.", "Click here for help.": "Presiona aquí para obtener ayuda.",
"Click here to": "Presiona aquí para", "Click here to": "Presiona aquí para",
"Click here to download user import template file.": "",
"Click here to select": "Presiona aquí para seleccionar", "Click here to select": "Presiona aquí para seleccionar",
"Click here to select a csv file.": "Presiona aquí para seleccionar un archivo csv.", "Click here to select a csv file.": "Presiona aquí para seleccionar un archivo csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI Base URL es requerido.", "ComfyUI Base URL is required.": "ComfyUI Base URL es requerido.",
"Command": "Comando", "Command": "Comando",
"Concurrent Requests": "Solicitudes simultáneas", "Concurrent Requests": "Solicitudes simultáneas",
"Confirm": "",
"Confirm Password": "Confirmar Contraseña", "Confirm Password": "Confirmar Contraseña",
"Confirm your action": "",
"Connections": "Conexiones", "Connections": "Conexiones",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Contenido", "Content": "Contenido",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Crear una nueva clave secreta", "Create new secret key": "Crear una nueva clave secreta",
"Created at": "Creado en", "Created at": "Creado en",
"Created At": "Creado en", "Created At": "Creado en",
"Created by": "",
"CSV Import": "",
"Current Model": "Modelo Actual", "Current Model": "Modelo Actual",
"Current Password": "Contraseña Actual", "Current Password": "Contraseña Actual",
"Custom": "Personalizado", "Custom": "Personalizado",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Eliminar todos los chats", "Delete All Chats": "Eliminar todos los chats",
"Delete chat": "Borrar chat", "Delete chat": "Borrar chat",
"Delete Chat": "Borrar Chat", "Delete Chat": "Borrar Chat",
"Delete chat?": "",
"delete this link": "Borrar este enlace", "delete this link": "Borrar este enlace",
"Delete User": "Borrar Usuario", "Delete User": "Borrar Usuario",
"Deleted {{deleteModelTag}}": "Se borró {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Se borró {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Exportar Chats", "Export Chats": "Exportar Chats",
"Export Documents Mapping": "Exportar el mapeo de documentos", "Export Documents Mapping": "Exportar el mapeo de documentos",
"Export Functions": "",
"Export Models": "Modelos de exportación", "Export Models": "Modelos de exportación",
"Export Prompts": "Exportar Prompts", "Export Prompts": "Exportar Prompts",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Febrero", "February": "Febrero",
"Feel free to add specific details": "Libre de agregar detalles específicos", "Feel free to add specific details": "Libre de agregar detalles específicos",
"File": "",
"File Mode": "Modo de archivo", "File Mode": "Modo de archivo",
"File not found.": "Archivo no encontrado.", "File not found.": "Archivo no encontrado.",
"Filters": "",
"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. Por defecto se utiliza la imagen de perfil predeterminada.", "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. Por defecto se utiliza la imagen de perfil predeterminada.",
"Fluidly stream large external response chunks": "Transmita con fluidez grandes fragmentos de respuesta externa", "Fluidly stream large external response chunks": "Transmita con fluidez grandes fragmentos de respuesta externa",
"Focus chat input": "Enfoca la entrada del chat", "Focus chat input": "Enfoca la entrada del chat",
"Followed instructions perfectly": "Siguió las instrucciones perfectamente", "Followed instructions perfectly": "Siguió las instrucciones perfectamente",
"Form": "",
"Format your variables using square brackets like this:": "Formatea tus variables usando corchetes de la siguiente manera:", "Format your variables using square brackets like this:": "Formatea tus variables usando corchetes de la siguiente manera:",
"Frequency Penalty": "Penalización de frecuencia", "Frequency Penalty": "Penalización de frecuencia",
"Functions": "",
"General": "General", "General": "General",
"General Settings": "Opciones Generales", "General Settings": "Opciones Generales",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Hola, {{name}}", "Hello, {{name}}": "Hola, {{name}}",
"Help": "Ayuda", "Help": "Ayuda",
"Hide": "Esconder", "Hide": "Esconder",
"Hide Model": "",
"How can I help you today?": "¿Cómo puedo ayudarte hoy?", "How can I help you today?": "¿Cómo puedo ayudarte hoy?",
"Hybrid Search": "Búsqueda Híbrida", "Hybrid Search": "Búsqueda Híbrida",
"Image Generation (Experimental)": "Generación de imágenes (experimental)", "Image Generation (Experimental)": "Generación de imágenes (experimental)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Imágenes", "Images": "Imágenes",
"Import Chats": "Importar chats", "Import Chats": "Importar chats",
"Import Documents Mapping": "Importar Mapeo de Documentos", "Import Documents Mapping": "Importar Mapeo de Documentos",
"Import Functions": "",
"Import Models": "Importar modelos", "Import Models": "Importar modelos",
"Import Prompts": "Importar Prompts", "Import Prompts": "Importar Prompts",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo se permiten caracteres alfanuméricos y guiones en la cadena de comando.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo se permiten caracteres alfanuméricos y guiones en la cadena de comando.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "¡Ups! ¡Agárrate fuerte! Tus archivos todavía están en el horno de procesamiento. Los estamos cocinando a la perfección. Tenga paciencia y le avisaremos una vez que estén listos.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "¡Ups! ¡Agárrate fuerte! Tus archivos todavía están en el horno de procesamiento. Los estamos cocinando a la perfección. Tenga paciencia y le avisaremos una vez que estén listos.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "¡Ups! Parece que la URL no es válida. Vuelva a verificar e inténtelo nuevamente.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "¡Ups! Parece que la URL no es válida. Vuelva a verificar e inténtelo nuevamente.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "¡Ups! Estás utilizando un método no compatible (solo frontend). Por favor ejecute la WebUI desde el backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "¡Ups! Estás utilizando un método no compatible (solo frontend). Por favor ejecute la WebUI desde el backend.",
"Open": "Abrir", "Open": "Abrir",
"Open AI": "Abrir AI", "Open AI": "Abrir AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Modelo de reranking", "Reranking Model": "Modelo de reranking",
"Reranking model disabled": "Modelo de reranking deshabilitado", "Reranking model disabled": "Modelo de reranking deshabilitado",
"Reranking model set to \"{{reranking_model}}\"": "Modelo de reranking establecido en \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Modelo de reranking establecido en \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Restablecer almacenamiento vectorial", "Reset Vector Storage": "Restablecer almacenamiento vectorial",
"Response AutoCopy to Clipboard": "Copiar respuesta automáticamente al portapapeles", "Response AutoCopy to Clipboard": "Copiar respuesta automáticamente al portapapeles",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Buscar un modelo", "Search a model": "Buscar un modelo",
"Search Chats": "Chats de búsqueda", "Search Chats": "Chats de búsqueda",
"Search Documents": "Buscar Documentos", "Search Documents": "Buscar Documentos",
"Search Functions": "",
"Search Models": "Modelos de búsqueda", "Search Models": "Modelos de búsqueda",
"Search Prompts": "Buscar Prompts", "Search Prompts": "Buscar Prompts",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "resumen-corto", "short-summary": "resumen-corto",
"Show": "Mostrar", "Show": "Mostrar",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Mostrar atajos", "Show shortcuts": "Mostrar atajos",
"Showcased creativity": "Mostrar creatividad", "Showcased creativity": "Mostrar creatividad",
"sidebar": "barra lateral", "sidebar": "barra lateral",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Sistema", "System": "Sistema",
"System Prompt": "Prompt del sistema", "System Prompt": "Prompt del sistema",
"Tags": "Etiquetas", "Tags": "Etiquetas",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Dinos más:", "Tell us more:": "Dinos más:",
"Temperature": "Temperatura", "Temperature": "Temperatura",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "El puntaje debe ser un valor entre 0.0 (0%) y 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "El puntaje debe ser un valor entre 0.0 (0%) y 1.0 (100%).",
"Theme": "Tema", "Theme": "Tema",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guarden de forma segura en su base de datos en el backend. ¡Gracias!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guarden de forma segura en su base de datos en el backend. ¡Gracias!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Esta configuración no se sincroniza entre navegadores o dispositivos.", "This setting does not sync across browsers or devices.": "Esta configuración no se sincroniza entre navegadores o dispositivos.",
"This will delete": "",
"Thorough explanation": "Explicación exhaustiva", "Thorough explanation": "Explicación exhaustiva",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Consejo: Actualice múltiples variables consecutivamente presionando la tecla tab en la entrada del chat después de cada reemplazo.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Consejo: Actualice múltiples variables consecutivamente presionando la tecla tab en la entrada del chat después de cada reemplazo.",
"Title": "Título", "Title": "Título",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "a la entrada del chat.", "to chat input.": "a la entrada del chat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Hoy", "Today": "Hoy",
"Toggle settings": "Alternar configuración", "Toggle settings": "Alternar configuración",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Tipo", "Type": "Tipo",
"Type Hugging Face Resolve (Download) URL": "Escriba la URL (Descarga) de Hugging Face Resolve", "Type Hugging Face Resolve (Download) URL": "Escriba la URL (Descarga) de Hugging Face Resolve",
"Uh-oh! There was an issue connecting to {{provider}}.": "¡Uh oh! Hubo un problema al conectarse a {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "¡Uh oh! Hubo un problema al conectarse a {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Tipo de archivo desconocido '{{file_type}}', pero se acepta y se trata como texto sin formato", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Actualizar y copiar enlace", "Update and Copy Link": "Actualizar y copiar enlace",
"Update password": "Actualizar contraseña", "Update password": "Actualizar contraseña",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Subir un modelo GGUF", "Upload a GGUF model": "Subir un modelo GGUF",
"Upload Files": "Subir archivos", "Upload Files": "Subir archivos",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "variable", "variable": "variable",
"variable to have them replaced with clipboard content.": "variable para reemplazarlos con el contenido del portapapeles.", "variable to have them replaced with clipboard content.": "variable para reemplazarlos con el contenido del portapapeles.",
"Version": "Versión", "Version": "Versión",
"Voice": "",
"Warning": "Advertencia", "Warning": "Advertencia",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Advertencia: Si actualiza o cambia su modelo de inserción, necesitará volver a importar todos los documentos.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Advertencia: Si actualiza o cambia su modelo de inserción, necesitará volver a importar todos los documentos.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Búsqueda en la Web", "Web Search": "Búsqueda en la Web",
"Web Search Engine": "Motor de búsqueda web", "Web Search Engine": "Motor de búsqueda web",
"Webhook URL": "Webhook URL", "Webhook URL": "Webhook URL",
"WebUI Add-ons": "WebUI Add-ons",
"WebUI Settings": "Configuración del WebUI", "WebUI Settings": "Configuración del WebUI",
"WebUI will make requests to": "WebUI realizará solicitudes a", "WebUI will make requests to": "WebUI realizará solicitudes a",
"What’s New in": "Novedades en", "What’s New in": "Novedades en",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "اجازه دادن", "Allow": "اجازه دادن",
"Allow Chat Deletion": "اجازه حذف گپ", "Allow Chat Deletion": "اجازه حذف گپ",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "حروف الفبایی و خط فاصله", "alphanumeric characters and hyphens": "حروف الفبایی و خط فاصله",
"Already have an account?": "از قبل حساب کاربری دارید؟", "Already have an account?": "از قبل حساب کاربری دارید؟",
"an assistant": "یک دستیار", "an assistant": "یک دستیار",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "قابلیت", "Capabilities": "قابلیت",
"Change Password": "تغییر رمز عبور", "Change Password": "تغییر رمز عبور",
"Chat": "گپ", "Chat": "گپ",
"Chat Background Image": "",
"Chat Bubble UI": "UI\u200cی\u200c گفتگو\u200c", "Chat Bubble UI": "UI\u200cی\u200c گفتگو\u200c",
"Chat direction": "جهت\u200cگفتگو", "Chat direction": "جهت\u200cگفتگو",
"Chat History": "تاریخچه\u200cی گفتگو", "Chat History": "تاریخچه\u200cی گفتگو",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "برای کمک اینجا را کلیک کنید.", "Click here for help.": "برای کمک اینجا را کلیک کنید.",
"Click here to": "برای کمک اینجا را کلیک کنید.", "Click here to": "برای کمک اینجا را کلیک کنید.",
"Click here to download user import template file.": "",
"Click here to select": "برای انتخاب اینجا کلیک کنید", "Click here to select": "برای انتخاب اینجا کلیک کنید",
"Click here to select a csv file.": "برای انتخاب یک فایل csv اینجا را کلیک کنید.", "Click here to select a csv file.": "برای انتخاب یک فایل csv اینجا را کلیک کنید.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "URL پایه کومیوآی الزامی است.", "ComfyUI Base URL is required.": "URL پایه کومیوآی الزامی است.",
"Command": "دستور", "Command": "دستور",
"Concurrent Requests": "درخواست های همزمان", "Concurrent Requests": "درخواست های همزمان",
"Confirm": "",
"Confirm Password": "تایید رمز عبور", "Confirm Password": "تایید رمز عبور",
"Confirm your action": "",
"Connections": "ارتباطات", "Connections": "ارتباطات",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "محتوا", "Content": "محتوا",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "ساخت کلید gehez جدید", "Create new secret key": "ساخت کلید gehez جدید",
"Created at": "ایجاد شده در", "Created at": "ایجاد شده در",
"Created At": "ایجاد شده در", "Created At": "ایجاد شده در",
"Created by": "",
"CSV Import": "",
"Current Model": "مدل فعلی", "Current Model": "مدل فعلی",
"Current Password": "رمز عبور فعلی", "Current Password": "رمز عبور فعلی",
"Custom": "دلخواه", "Custom": "دلخواه",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "حذف همه گفتگوها", "Delete All Chats": "حذف همه گفتگوها",
"Delete chat": "حذف گپ", "Delete chat": "حذف گپ",
"Delete Chat": "حذف گپ", "Delete Chat": "حذف گپ",
"Delete chat?": "",
"delete this link": "حذف این لینک", "delete this link": "حذف این لینک",
"Delete User": "حذف کاربر", "Delete User": "حذف کاربر",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} پاک شد", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} پاک شد",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "اکسپورت از گپ\u200cها", "Export Chats": "اکسپورت از گپ\u200cها",
"Export Documents Mapping": "اکسپورت از نگاشت اسناد", "Export Documents Mapping": "اکسپورت از نگاشت اسناد",
"Export Functions": "",
"Export Models": "مدل های صادرات", "Export Models": "مدل های صادرات",
"Export Prompts": "اکسپورت از پرامپت\u200cها", "Export Prompts": "اکسپورت از پرامپت\u200cها",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "فوری", "February": "فوری",
"Feel free to add specific details": "اگر به دلخواه، معلومات خاصی اضافه کنید", "Feel free to add specific details": "اگر به دلخواه، معلومات خاصی اضافه کنید",
"File": "",
"File Mode": "حالت فایل", "File Mode": "حالت فایل",
"File not found.": "فایل یافت نشد.", "File not found.": "فایل یافت نشد.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "فانگ سرفیس شناسایی شد: نمی توان از نمایه شما به عنوان آواتار استفاده کرد. پیش فرض به عکس پروفایل پیش فرض برگشت داده شد.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "فانگ سرفیس شناسایی شد: نمی توان از نمایه شما به عنوان آواتار استفاده کرد. پیش فرض به عکس پروفایل پیش فرض برگشت داده شد.",
"Fluidly stream large external response chunks": "تکه های پاسخ خارجی بزرگ را به صورت سیال پخش کنید", "Fluidly stream large external response chunks": "تکه های پاسخ خارجی بزرگ را به صورت سیال پخش کنید",
"Focus chat input": "فوکوس کردن ورودی گپ", "Focus chat input": "فوکوس کردن ورودی گپ",
"Followed instructions perfectly": "دستورالعمل ها را کاملا دنبال کرد", "Followed instructions perfectly": "دستورالعمل ها را کاملا دنبال کرد",
"Form": "",
"Format your variables using square brackets like this:": "متغیرهای خود را با استفاده از براکت مربع به شکل زیر قالب بندی کنید:", "Format your variables using square brackets like this:": "متغیرهای خود را با استفاده از براکت مربع به شکل زیر قالب بندی کنید:",
"Frequency Penalty": "مجازات فرکانس", "Frequency Penalty": "مجازات فرکانس",
"Functions": "",
"General": "عمومی", "General": "عمومی",
"General Settings": "تنظیمات عمومی", "General Settings": "تنظیمات عمومی",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "سلام، {{name}}", "Hello, {{name}}": "سلام، {{name}}",
"Help": "کمک", "Help": "کمک",
"Hide": "پنهان", "Hide": "پنهان",
"Hide Model": "",
"How can I help you today?": "امروز چطور می توانم کمک تان کنم؟", "How can I help you today?": "امروز چطور می توانم کمک تان کنم؟",
"Hybrid Search": "جستجوی همزمان", "Hybrid Search": "جستجوی همزمان",
"Image Generation (Experimental)": "تولید تصویر (آزمایشی)", "Image Generation (Experimental)": "تولید تصویر (آزمایشی)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "تصاویر", "Images": "تصاویر",
"Import Chats": "ایمپورت گپ\u200cها", "Import Chats": "ایمپورت گپ\u200cها",
"Import Documents Mapping": "ایمپورت نگاشت اسناد", "Import Documents Mapping": "ایمپورت نگاشت اسناد",
"Import Functions": "",
"Import Models": "واردات مدلها", "Import Models": "واردات مدلها",
"Import Prompts": "ایمپورت پرامپت\u200cها", "Import Prompts": "ایمپورت پرامپت\u200cها",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.", "Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "اوه! فایل های شما هنوز در فر پردازش هستند. ما آنها را کامل می پزیم. لطفا صبور باشید، به محض آماده شدن به شما اطلاع خواهیم داد.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "اوه! فایل های شما هنوز در فر پردازش هستند. ما آنها را کامل می پزیم. لطفا صبور باشید، به محض آماده شدن به شما اطلاع خواهیم داد.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "اوه! شما از یک روش پشتیبانی نشده (فقط frontend) استفاده می کنید. لطفاً WebUI را از بکند اجرا کنید.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "اوه! شما از یک روش پشتیبانی نشده (فقط frontend) استفاده می کنید. لطفاً WebUI را از بکند اجرا کنید.",
"Open": "باز", "Open": "باز",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "مدل ری\u200cشناسی مجدد غیرفعال است", "Reranking Model": "مدل ری\u200cشناسی مجدد غیرفعال است",
"Reranking model disabled": "مدل ری\u200cشناسی مجدد غیرفعال است", "Reranking model disabled": "مدل ری\u200cشناسی مجدد غیرفعال است",
"Reranking model set to \"{{reranking_model}}\"": "مدل ری\u200cشناسی مجدد به \"{{reranking_model}}\" تنظیم شده است", "Reranking model set to \"{{reranking_model}}\"": "مدل ری\u200cشناسی مجدد به \"{{reranking_model}}\" تنظیم شده است",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "بازنشانی ذخیره سازی برداری", "Reset Vector Storage": "بازنشانی ذخیره سازی برداری",
"Response AutoCopy to Clipboard": "کپی خودکار پاسخ به کلیپ بورد", "Response AutoCopy to Clipboard": "کپی خودکار پاسخ به کلیپ بورد",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "جستجوی مدل", "Search a model": "جستجوی مدل",
"Search Chats": "جستجو گپ ها", "Search Chats": "جستجو گپ ها",
"Search Documents": "جستجوی اسناد", "Search Documents": "جستجوی اسناد",
"Search Functions": "",
"Search Models": "مدل های جستجو", "Search Models": "مدل های جستجو",
"Search Prompts": "جستجوی پرامپت\u200cها", "Search Prompts": "جستجوی پرامپت\u200cها",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "خلاصه کوتاه", "short-summary": "خلاصه کوتاه",
"Show": "نمایش", "Show": "نمایش",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "نمایش میانبرها", "Show shortcuts": "نمایش میانبرها",
"Showcased creativity": "ایده\u200cآفرینی", "Showcased creativity": "ایده\u200cآفرینی",
"sidebar": "نوار کناری", "sidebar": "نوار کناری",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "سیستم", "System": "سیستم",
"System Prompt": "پرامپت سیستم", "System Prompt": "پرامپت سیستم",
"Tags": "تگ\u200cها", "Tags": "تگ\u200cها",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "بیشتر بگویید:", "Tell us more:": "بیشتر بگویید:",
"Temperature": "دما", "Temperature": "دما",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "امتیاز باید یک مقدار بین 0.0 (0%) و 1.0 (100%) باشد.", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "امتیاز باید یک مقدار بین 0.0 (0%) و 1.0 (100%) باشد.",
"Theme": "قالب", "Theme": "قالب",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "این تضمین می کند که مکالمات ارزشمند شما به طور ایمن در پایگاه داده بکند ذخیره می شود. تشکر!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "این تضمین می کند که مکالمات ارزشمند شما به طور ایمن در پایگاه داده بکند ذخیره می شود. تشکر!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "این تنظیم در مرورگرها یا دستگاه\u200cها همگام\u200cسازی نمی\u200cشود.", "This setting does not sync across browsers or devices.": "این تنظیم در مرورگرها یا دستگاه\u200cها همگام\u200cسازی نمی\u200cشود.",
"This will delete": "",
"Thorough explanation": "توضیح کامل", "Thorough explanation": "توضیح کامل",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "با فشردن کلید Tab در ورودی چت پس از هر بار تعویض، چندین متغیر را به صورت متوالی به روزرسانی کنید.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "با فشردن کلید Tab در ورودی چت پس از هر بار تعویض، چندین متغیر را به صورت متوالی به روزرسانی کنید.",
"Title": "عنوان", "Title": "عنوان",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "در ورودی گپ.", "to chat input.": "در ورودی گپ.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "امروز", "Today": "امروز",
"Toggle settings": "نمایش/عدم نمایش تنظیمات", "Toggle settings": "نمایش/عدم نمایش تنظیمات",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "نوع", "Type": "نوع",
"Type Hugging Face Resolve (Download) URL": "مقدار URL دانلود (Resolve) Hugging Face را وارد کنید", "Type Hugging Face Resolve (Download) URL": "مقدار URL دانلود (Resolve) Hugging Face را وارد کنید",
"Uh-oh! There was an issue connecting to {{provider}}.": "اوه اوه! مشکلی در اتصال به {{provider}} وجود داشت.", "Uh-oh! There was an issue connecting to {{provider}}.": "اوه اوه! مشکلی در اتصال به {{provider}} وجود داشت.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "نوع فایل '{{file_type}}' ناشناخته است، به عنوان یک فایل متنی ساده با آن برخورد می شود.", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "به روزرسانی و کپی لینک", "Update and Copy Link": "به روزرسانی و کپی لینک",
"Update password": "به روزرسانی رمزعبور", "Update password": "به روزرسانی رمزعبور",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "آپلود یک مدل GGUF", "Upload a GGUF model": "آپلود یک مدل GGUF",
"Upload Files": "بارگذاری پروندهها", "Upload Files": "بارگذاری پروندهها",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "متغیر", "variable": "متغیر",
"variable to have them replaced with clipboard content.": "متغیر برای جایگزینی آنها با محتوای کلیپ بورد.", "variable to have them replaced with clipboard content.": "متغیر برای جایگزینی آنها با محتوای کلیپ بورد.",
"Version": "نسخه", "Version": "نسخه",
"Voice": "",
"Warning": "هشدار", "Warning": "هشدار",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "هشدار: اگر شما به روز کنید یا تغییر دهید مدل شما، باید تمام سند ها را مجددا وارد کنید.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "هشدار: اگر شما به روز کنید یا تغییر دهید مدل شما، باید تمام سند ها را مجددا وارد کنید.",
"Web": "وب", "Web": "وب",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "جستجوی وب", "Web Search": "جستجوی وب",
"Web Search Engine": "موتور جستجوی وب", "Web Search Engine": "موتور جستجوی وب",
"Webhook URL": "URL وبهوک", "Webhook URL": "URL وبهوک",
"WebUI Add-ons": "WebUI افزونه\u200cهای",
"WebUI Settings": "تنظیمات WebUI", "WebUI Settings": "تنظیمات WebUI",
"WebUI will make requests to": "WebUI درخواست\u200cها را ارسال خواهد کرد به", "WebUI will make requests to": "WebUI درخواست\u200cها را ارسال خواهد کرد به",
"What’s New in": "موارد جدید در", "What’s New in": "موارد جدید در",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Salli", "Allow": "Salli",
"Allow Chat Deletion": "Salli keskustelujen poisto", "Allow Chat Deletion": "Salli keskustelujen poisto",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "kirjaimia, numeroita ja väliviivoja", "alphanumeric characters and hyphens": "kirjaimia, numeroita ja väliviivoja",
"Already have an account?": "Onko sinulla jo tili?", "Already have an account?": "Onko sinulla jo tili?",
"an assistant": "avustaja", "an assistant": "avustaja",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Ominaisuuksia", "Capabilities": "Ominaisuuksia",
"Change Password": "Vaihda salasana", "Change Password": "Vaihda salasana",
"Chat": "Keskustelu", "Chat": "Keskustelu",
"Chat Background Image": "",
"Chat Bubble UI": "Keskustelu-pallojen käyttöliittymä", "Chat Bubble UI": "Keskustelu-pallojen käyttöliittymä",
"Chat direction": "Keskustelun suunta", "Chat direction": "Keskustelun suunta",
"Chat History": "Keskusteluhistoria", "Chat History": "Keskusteluhistoria",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Klikkaa tästä saadaksesi apua.", "Click here for help.": "Klikkaa tästä saadaksesi apua.",
"Click here to": "Klikkaa tästä", "Click here to": "Klikkaa tästä",
"Click here to download user import template file.": "",
"Click here to select": "Klikkaa tästä valitaksesi", "Click here to select": "Klikkaa tästä valitaksesi",
"Click here to select a csv file.": "Klikkaa tästä valitaksesi CSV-tiedosto.", "Click here to select a csv file.": "Klikkaa tästä valitaksesi CSV-tiedosto.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI-perus-URL vaaditaan.", "ComfyUI Base URL is required.": "ComfyUI-perus-URL vaaditaan.",
"Command": "Komento", "Command": "Komento",
"Concurrent Requests": "Samanaikaiset pyynnöt", "Concurrent Requests": "Samanaikaiset pyynnöt",
"Confirm": "",
"Confirm Password": "Vahvista salasana", "Confirm Password": "Vahvista salasana",
"Confirm your action": "",
"Connections": "Yhteydet", "Connections": "Yhteydet",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Sisältö", "Content": "Sisältö",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Luo uusi salainen avain", "Create new secret key": "Luo uusi salainen avain",
"Created at": "Luotu", "Created at": "Luotu",
"Created At": "Luotu", "Created At": "Luotu",
"Created by": "",
"CSV Import": "",
"Current Model": "Nykyinen malli", "Current Model": "Nykyinen malli",
"Current Password": "Nykyinen salasana", "Current Password": "Nykyinen salasana",
"Custom": "Mukautettu", "Custom": "Mukautettu",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Poista kaikki keskustelut", "Delete All Chats": "Poista kaikki keskustelut",
"Delete chat": "Poista keskustelu", "Delete chat": "Poista keskustelu",
"Delete Chat": "Poista keskustelu", "Delete Chat": "Poista keskustelu",
"Delete chat?": "",
"delete this link": "poista tämä linkki", "delete this link": "poista tämä linkki",
"Delete User": "Poista käyttäjä", "Delete User": "Poista käyttäjä",
"Deleted {{deleteModelTag}}": "Poistettu {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Poistettu {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Vie keskustelut", "Export Chats": "Vie keskustelut",
"Export Documents Mapping": "Vie asiakirjakartoitus", "Export Documents Mapping": "Vie asiakirjakartoitus",
"Export Functions": "",
"Export Models": "Vie malleja", "Export Models": "Vie malleja",
"Export Prompts": "Vie kehotteet", "Export Prompts": "Vie kehotteet",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "helmikuu", "February": "helmikuu",
"Feel free to add specific details": "Voit lisätä tarkempia tietoja", "Feel free to add specific details": "Voit lisätä tarkempia tietoja",
"File": "",
"File Mode": "Tiedostotila", "File Mode": "Tiedostotila",
"File not found.": "Tiedostoa ei löytynyt.", "File not found.": "Tiedostoa ei löytynyt.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Sormenjäljen väärentäminen havaittu: Ei voi käyttää alkukirjaimia avatarina. Käytetään oletusprofiilikuvaa.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Sormenjäljen väärentäminen havaittu: Ei voi käyttää alkukirjaimia avatarina. Käytetään oletusprofiilikuvaa.",
"Fluidly stream large external response chunks": "Virtaa suuria ulkoisia vastausosia joustavasti", "Fluidly stream large external response chunks": "Virtaa suuria ulkoisia vastausosia joustavasti",
"Focus chat input": "Fokusoi syöttökenttään", "Focus chat input": "Fokusoi syöttökenttään",
"Followed instructions perfectly": "Noudatti ohjeita täydellisesti", "Followed instructions perfectly": "Noudatti ohjeita täydellisesti",
"Form": "",
"Format your variables using square brackets like this:": "Muotoile muuttujat hakasulkeilla näin:", "Format your variables using square brackets like this:": "Muotoile muuttujat hakasulkeilla näin:",
"Frequency Penalty": "Taajuussakko", "Frequency Penalty": "Taajuussakko",
"Functions": "",
"General": "Yleinen", "General": "Yleinen",
"General Settings": "Yleisasetukset", "General Settings": "Yleisasetukset",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Terve, {{name}}", "Hello, {{name}}": "Terve, {{name}}",
"Help": "Apua", "Help": "Apua",
"Hide": "Piilota", "Hide": "Piilota",
"Hide Model": "",
"How can I help you today?": "Kuinka voin auttaa tänään?", "How can I help you today?": "Kuinka voin auttaa tänään?",
"Hybrid Search": "Hybridihaku", "Hybrid Search": "Hybridihaku",
"Image Generation (Experimental)": "Kuvagenerointi (kokeellinen)", "Image Generation (Experimental)": "Kuvagenerointi (kokeellinen)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Kuvat", "Images": "Kuvat",
"Import Chats": "Tuo keskustelut", "Import Chats": "Tuo keskustelut",
"Import Documents Mapping": "Tuo asiakirjakartoitus", "Import Documents Mapping": "Tuo asiakirjakartoitus",
"Import Functions": "",
"Import Models": "Mallien tuominen", "Import Models": "Mallien tuominen",
"Import Prompts": "Tuo kehotteita", "Import Prompts": "Tuo kehotteita",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Hetki pieni, tiedostosi ovat yhä leivinuunissa. Odota kärsivällisesti, ja ilmoitamme, kun ne ovat valmiita.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Hetki pieni, tiedostosi ovat yhä leivinuunissa. Odota kärsivällisesti, ja ilmoitamme, kun ne ovat valmiita.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että URL on virheellinen. Tarkista se ja yritä uudelleen.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että URL on virheellinen. Tarkista se ja yritä uudelleen.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Hupsista! Käytät ei-tuettua menetelmää. WebUI pitää palvella backendista.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Hupsista! Käytät ei-tuettua menetelmää. WebUI pitää palvella backendista.",
"Open": "Avaa", "Open": "Avaa",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Uudelleenpisteytysmalli", "Reranking Model": "Uudelleenpisteytysmalli",
"Reranking model disabled": "Uudelleenpisteytysmalli poistettu käytöstä", "Reranking model disabled": "Uudelleenpisteytysmalli poistettu käytöstä",
"Reranking model set to \"{{reranking_model}}\"": "\"{{reranking_model}}\" valittu uudelleenpisteytysmalliksi", "Reranking model set to \"{{reranking_model}}\"": "\"{{reranking_model}}\" valittu uudelleenpisteytysmalliksi",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Tyhjennä vektorivarasto", "Reset Vector Storage": "Tyhjennä vektorivarasto",
"Response AutoCopy to Clipboard": "Vastauksen automaattikopiointi leikepöydälle", "Response AutoCopy to Clipboard": "Vastauksen automaattikopiointi leikepöydälle",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Hae mallia", "Search a model": "Hae mallia",
"Search Chats": "Etsi chatteja", "Search Chats": "Etsi chatteja",
"Search Documents": "Hae asiakirjoja", "Search Documents": "Hae asiakirjoja",
"Search Functions": "",
"Search Models": "Hae malleja", "Search Models": "Hae malleja",
"Search Prompts": "Hae kehotteita", "Search Prompts": "Hae kehotteita",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "lyhyt-yhteenveto", "short-summary": "lyhyt-yhteenveto",
"Show": "Näytä", "Show": "Näytä",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Näytä pikanäppäimet", "Show shortcuts": "Näytä pikanäppäimet",
"Showcased creativity": "Näytti luovuutta", "Showcased creativity": "Näytti luovuutta",
"sidebar": "sivupalkki", "sidebar": "sivupalkki",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "Järjestelmä", "System": "Järjestelmä",
"System Prompt": "Järjestelmäkehote", "System Prompt": "Järjestelmäkehote",
"Tags": "Tagit", "Tags": "Tagit",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Kerro lisää:", "Tell us more:": "Kerro lisää:",
"Temperature": "Lämpötila", "Temperature": "Lämpötila",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Pisteytyksen tulee olla arvo välillä 0.0 (0%) ja 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Pisteytyksen tulee olla arvo välillä 0.0 (0%) ja 1.0 (100%).",
"Theme": "Teema", "Theme": "Teema",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tämä varmistaa, että arvokkaat keskustelusi tallennetaan turvallisesti backend-tietokantaasi. Kiitos!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tämä varmistaa, että arvokkaat keskustelusi tallennetaan turvallisesti backend-tietokantaasi. Kiitos!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Tämä asetus ei synkronoidu selainten tai laitteiden välillä.", "This setting does not sync across browsers or devices.": "Tämä asetus ei synkronoidu selainten tai laitteiden välillä.",
"This will delete": "",
"Thorough explanation": "Perusteellinen selitys", "Thorough explanation": "Perusteellinen selitys",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Vinkki: Päivitä useita muuttujapaikkoja peräkkäin painamalla tabulaattoria keskustelusyötteessä jokaisen korvauksen jälkeen.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Vinkki: Päivitä useita muuttujapaikkoja peräkkäin painamalla tabulaattoria keskustelusyötteessä jokaisen korvauksen jälkeen.",
"Title": "Otsikko", "Title": "Otsikko",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "keskustelusyötteeseen.", "to chat input.": "keskustelusyötteeseen.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Tänään", "Today": "Tänään",
"Toggle settings": "Kytke asetukset", "Toggle settings": "Kytke asetukset",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "Tyyppi", "Type": "Tyyppi",
"Type Hugging Face Resolve (Download) URL": "Kirjoita Hugging Face -resolve-osoite", "Type Hugging Face Resolve (Download) URL": "Kirjoita Hugging Face -resolve-osoite",
"Uh-oh! There was an issue connecting to {{provider}}.": "Voi ei! Yhteysongelma {{provider}}:n kanssa.", "Uh-oh! There was an issue connecting to {{provider}}.": "Voi ei! Yhteysongelma {{provider}}:n kanssa.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Tuntematon tiedostotyyppi '{{file_type}}', mutta hyväksytään ja käsitellään pelkkänä tekstinä", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Päivitä ja kopioi linkki", "Update and Copy Link": "Päivitä ja kopioi linkki",
"Update password": "Päivitä salasana", "Update password": "Päivitä salasana",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Lataa GGUF-malli", "Upload a GGUF model": "Lataa GGUF-malli",
"Upload Files": "Lataa tiedostoja", "Upload Files": "Lataa tiedostoja",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "muuttuja", "variable": "muuttuja",
"variable to have them replaced with clipboard content.": "muuttuja korvataan leikepöydän sisällöllä.", "variable to have them replaced with clipboard content.": "muuttuja korvataan leikepöydän sisällöllä.",
"Version": "Versio", "Version": "Versio",
"Voice": "",
"Warning": "Varoitus", "Warning": "Varoitus",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Varoitus: Jos päivität tai vaihdat upotusmallia, sinun on tuotava kaikki asiakirjat uudelleen.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Varoitus: Jos päivität tai vaihdat upotusmallia, sinun on tuotava kaikki asiakirjat uudelleen.",
"Web": "Web", "Web": "Web",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "Web-haku", "Web Search": "Web-haku",
"Web Search Engine": "Web-hakukone", "Web Search Engine": "Web-hakukone",
"Webhook URL": "Webhook-URL", "Webhook URL": "Webhook-URL",
"WebUI Add-ons": "WebUI-lisäosat",
"WebUI Settings": "WebUI-asetukset", "WebUI Settings": "WebUI-asetukset",
"WebUI will make requests to": "WebUI tekee pyyntöjä", "WebUI will make requests to": "WebUI tekee pyyntöjä",
"What’s New in": "Mitä uutta", "What’s New in": "Mitä uutta",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Autoriser", "Allow": "Autoriser",
"Allow Chat Deletion": "Autoriser la suppression des discussions", "Allow Chat Deletion": "Autoriser la suppression des discussions",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "caractères alphanumériques et tirets", "alphanumeric characters and hyphens": "caractères alphanumériques et tirets",
"Already have an account?": "Vous avez déjà un compte ?", "Already have an account?": "Vous avez déjà un compte ?",
"an assistant": "un assistant", "an assistant": "un assistant",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Capacités", "Capabilities": "Capacités",
"Change Password": "Changer le mot de passe", "Change Password": "Changer le mot de passe",
"Chat": "Discussion", "Chat": "Discussion",
"Chat Background Image": "",
"Chat Bubble UI": "Bubble UI de discussion", "Chat Bubble UI": "Bubble UI de discussion",
"Chat direction": "Direction de discussion", "Chat direction": "Direction de discussion",
"Chat History": "Historique des discussions", "Chat History": "Historique des discussions",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Cliquez ici pour de l'aide.", "Click here for help.": "Cliquez ici pour de l'aide.",
"Click here to": "Cliquez ici pour", "Click here to": "Cliquez ici pour",
"Click here to download user import template file.": "",
"Click here to select": "Cliquez ici pour sélectionner", "Click here to select": "Cliquez ici pour sélectionner",
"Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier csv.", "Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI Base URL est requis.", "ComfyUI Base URL is required.": "ComfyUI Base URL est requis.",
"Command": "Commande", "Command": "Commande",
"Concurrent Requests": "Demandes simultanées", "Concurrent Requests": "Demandes simultanées",
"Confirm": "",
"Confirm Password": "Confirmer le mot de passe", "Confirm Password": "Confirmer le mot de passe",
"Confirm your action": "",
"Connections": "Connexions", "Connections": "Connexions",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Contenu", "Content": "Contenu",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Créer une nouvelle clé secrète", "Create new secret key": "Créer une nouvelle clé secrète",
"Created at": "Créé le", "Created at": "Créé le",
"Created At": "Créé le", "Created At": "Créé le",
"Created by": "",
"CSV Import": "",
"Current Model": "Modèle actuel", "Current Model": "Modèle actuel",
"Current Password": "Mot de passe actuel", "Current Password": "Mot de passe actuel",
"Custom": "Personnalisé", "Custom": "Personnalisé",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Supprimer tous les chats", "Delete All Chats": "Supprimer tous les chats",
"Delete chat": "Supprimer la discussion", "Delete chat": "Supprimer la discussion",
"Delete Chat": "Supprimer la discussion", "Delete Chat": "Supprimer la discussion",
"Delete chat?": "",
"delete this link": "supprimer ce lien", "delete this link": "supprimer ce lien",
"Delete User": "Supprimer l'utilisateur", "Delete User": "Supprimer l'utilisateur",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} supprimé", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} supprimé",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Exporter les discussions", "Export Chats": "Exporter les discussions",
"Export Documents Mapping": "Exporter le mappage des documents", "Export Documents Mapping": "Exporter le mappage des documents",
"Export Functions": "",
"Export Models": "Modèles d’exportation", "Export Models": "Modèles d’exportation",
"Export Prompts": "Exporter les prompts", "Export Prompts": "Exporter les prompts",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Février", "February": "Février",
"Feel free to add specific details": "Vous pouvez ajouter des détails spécifiques", "Feel free to add specific details": "Vous pouvez ajouter des détails spécifiques",
"File": "",
"File Mode": "Mode fichier", "File Mode": "Mode fichier",
"File not found.": "Fichier introuvable.", "File not found.": "Fichier introuvable.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Détection de falsification de empreinte digitale\u00a0: impossible d'utiliser les initiales comme avatar. Par défaut, l'image de profil par défaut est utilisée.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Détection de falsification de empreinte digitale\u00a0: impossible d'utiliser les initiales comme avatar. Par défaut, l'image de profil par défaut est utilisée.",
"Fluidly stream large external response chunks": "Diffusez de manière fluide de gros morceaux de réponses externes", "Fluidly stream large external response chunks": "Diffusez de manière fluide de gros morceaux de réponses externes",
"Focus chat input": "Se concentrer sur l'entrée de la discussion", "Focus chat input": "Se concentrer sur l'entrée de la discussion",
"Followed instructions perfectly": "Suivi des instructions parfaitement", "Followed instructions perfectly": "Suivi des instructions parfaitement",
"Form": "",
"Format your variables using square brackets like this:": "Formatez vos variables en utilisant des crochets comme ceci :", "Format your variables using square brackets like this:": "Formatez vos variables en utilisant des crochets comme ceci :",
"Frequency Penalty": "Pénalité de fréquence", "Frequency Penalty": "Pénalité de fréquence",
"Functions": "",
"General": "Général", "General": "Général",
"General Settings": "Paramètres généraux", "General Settings": "Paramètres généraux",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Bonjour, {{name}}", "Hello, {{name}}": "Bonjour, {{name}}",
"Help": "Aide", "Help": "Aide",
"Hide": "Cacher", "Hide": "Cacher",
"Hide Model": "",
"How can I help you today?": "Comment puis-je vous aider aujourd'hui ?", "How can I help you today?": "Comment puis-je vous aider aujourd'hui ?",
"Hybrid Search": "Recherche hybride", "Hybrid Search": "Recherche hybride",
"Image Generation (Experimental)": "Génération d'image (Expérimental)", "Image Generation (Experimental)": "Génération d'image (Expérimental)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Images", "Images": "Images",
"Import Chats": "Importer les discussions", "Import Chats": "Importer les discussions",
"Import Documents Mapping": "Importer le mappage des documents", "Import Documents Mapping": "Importer le mappage des documents",
"Import Functions": "",
"Import Models": "Importer des modèles", "Import Models": "Importer des modèles",
"Import Prompts": "Importer les prompts", "Import Prompts": "Importer les prompts",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oups ! Tenez bon ! Vos fichiers sont encore dans le four de traitement. Nous les préparons jusqu'à la perfection. Soyez patient et nous vous informerons dès qu'ils seront prêts.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oups ! Tenez bon ! Vos fichiers sont encore dans le four de traitement. Nous les préparons jusqu'à la perfection. Soyez patient et nous vous informerons dès qu'ils seront prêts.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Merci de vérifier et réessayer.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Merci de vérifier et réessayer.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oups ! Vous utilisez une méthode non prise en charge (frontal uniquement). Veuillez servir WebUI depuis le backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oups ! Vous utilisez une méthode non prise en charge (frontal uniquement). Veuillez servir WebUI depuis le backend.",
"Open": "Ouvrir", "Open": "Ouvrir",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Modèle de reranking", "Reranking Model": "Modèle de reranking",
"Reranking model disabled": "Modèle de reranking désactivé", "Reranking model disabled": "Modèle de reranking désactivé",
"Reranking model set to \"{{reranking_model}}\"": "Modèle de reranking défini sur \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Modèle de reranking défini sur \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Réinitialiser le stockage vectoriel", "Reset Vector Storage": "Réinitialiser le stockage vectoriel",
"Response AutoCopy to Clipboard": "Copie automatique de la réponse vers le presse-papiers", "Response AutoCopy to Clipboard": "Copie automatique de la réponse vers le presse-papiers",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Rechercher un modèle", "Search a model": "Rechercher un modèle",
"Search Chats": "Rechercher des chats", "Search Chats": "Rechercher des chats",
"Search Documents": "Rechercher des documents", "Search Documents": "Rechercher des documents",
"Search Functions": "",
"Search Models": "Modèles de recherche", "Search Models": "Modèles de recherche",
"Search Prompts": "Rechercher des prompts", "Search Prompts": "Rechercher des prompts",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "résumé court", "short-summary": "résumé court",
"Show": "Afficher", "Show": "Afficher",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Afficher les raccourcis", "Show shortcuts": "Afficher les raccourcis",
"Showcased creativity": "Créativité affichée", "Showcased creativity": "Créativité affichée",
"sidebar": "barre latérale", "sidebar": "barre latérale",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Système", "System": "Système",
"System Prompt": "Prompt Système", "System Prompt": "Prompt Système",
"Tags": "Tags", "Tags": "Tags",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Donnez-nous plus:", "Tell us more:": "Donnez-nous plus:",
"Temperature": "Température", "Temperature": "Température",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Le score doit être une valeur entre 0.0 (0%) et 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Le score doit être une valeur entre 0.0 (0%) et 1.0 (100%).",
"Theme": "Thème", "Theme": "Thème",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos précieuses conversations sont enregistrées en toute sécurité dans votre base de données backend. Merci !", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos précieuses conversations sont enregistrées en toute sécurité dans votre base de données backend. Merci !",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Ce réglage ne se synchronise pas entre les navigateurs ou les appareils.", "This setting does not sync across browsers or devices.": "Ce réglage ne se synchronise pas entre les navigateurs ou les appareils.",
"This will delete": "",
"Thorough explanation": "Explication approfondie", "Thorough explanation": "Explication approfondie",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Astuce : Mettez à jour plusieurs emplacements de variables consécutivement en appuyant sur la touche tabulation dans l'entrée de chat après chaque remplacement.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Astuce : Mettez à jour plusieurs emplacements de variables consécutivement en appuyant sur la touche tabulation dans l'entrée de chat après chaque remplacement.",
"Title": "Titre", "Title": "Titre",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "à l'entrée du chat.", "to chat input.": "à l'entrée du chat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Aujourd'hui", "Today": "Aujourd'hui",
"Toggle settings": "Basculer les paramètres", "Toggle settings": "Basculer les paramètres",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Type", "Type": "Type",
"Type Hugging Face Resolve (Download) URL": "Entrez l'URL de résolution (téléchargement) Hugging Face", "Type Hugging Face Resolve (Download) URL": "Entrez l'URL de résolution (téléchargement) Hugging Face",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh ! Il y a eu un problème de connexion à {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh ! Il y a eu un problème de connexion à {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Type de fichier inconnu '{{file_type}}', mais accepté et traité comme du texte brut", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Mettre à jour et copier le lien", "Update and Copy Link": "Mettre à jour et copier le lien",
"Update password": "Mettre à jour le mot de passe", "Update password": "Mettre à jour le mot de passe",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Téléverser un modèle GGUF", "Upload a GGUF model": "Téléverser un modèle GGUF",
"Upload Files": "Téléverser des fichiers", "Upload Files": "Téléverser des fichiers",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "variable", "variable": "variable",
"variable to have them replaced with clipboard content.": "variable pour les remplacer par le contenu du presse-papiers.", "variable to have them replaced with clipboard content.": "variable pour les remplacer par le contenu du presse-papiers.",
"Version": "Version", "Version": "Version",
"Voice": "",
"Warning": "Avertissement", "Warning": "Avertissement",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Attention : Si vous mettez à jour ou changez votre modèle d'intégration, vous devrez réimporter tous les documents.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Attention : Si vous mettez à jour ou changez votre modèle d'intégration, vous devrez réimporter tous les documents.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Recherche sur le Web", "Web Search": "Recherche sur le Web",
"Web Search Engine": "Moteur de recherche Web", "Web Search Engine": "Moteur de recherche Web",
"Webhook URL": "URL Webhook", "Webhook URL": "URL Webhook",
"WebUI Add-ons": "Add-ons WebUI",
"WebUI Settings": "Paramètres WebUI", "WebUI Settings": "Paramètres WebUI",
"WebUI will make requests to": "WebUI effectuera des demandes à", "WebUI will make requests to": "WebUI effectuera des demandes à",
"What’s New in": "Quoi de neuf dans", "What’s New in": "Quoi de neuf dans",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Autoriser", "Allow": "Autoriser",
"Allow Chat Deletion": "Autoriser la suppression du chat", "Allow Chat Deletion": "Autoriser la suppression du chat",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "caractères alphanumériques et tirets", "alphanumeric characters and hyphens": "caractères alphanumériques et tirets",
"Already have an account?": "Vous avez déjà un compte ?", "Already have an account?": "Vous avez déjà un compte ?",
"an assistant": "un assistant", "an assistant": "un assistant",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Capacités", "Capabilities": "Capacités",
"Change Password": "Changer le mot de passe", "Change Password": "Changer le mot de passe",
"Chat": "Chat", "Chat": "Chat",
"Chat Background Image": "",
"Chat Bubble UI": "UI Bulles de Chat", "Chat Bubble UI": "UI Bulles de Chat",
"Chat direction": "Direction du chat", "Chat direction": "Direction du chat",
"Chat History": "Historique du chat", "Chat History": "Historique du chat",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Cliquez ici pour de l'aide.", "Click here for help.": "Cliquez ici pour de l'aide.",
"Click here to": "Cliquez ici pour", "Click here to": "Cliquez ici pour",
"Click here to download user import template file.": "",
"Click here to select": "Cliquez ici pour sélectionner", "Click here to select": "Cliquez ici pour sélectionner",
"Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier csv.", "Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "L'URL de base ComfyUI est requise.", "ComfyUI Base URL is required.": "L'URL de base ComfyUI est requise.",
"Command": "Commande", "Command": "Commande",
"Concurrent Requests": "Demandes simultanées", "Concurrent Requests": "Demandes simultanées",
"Confirm": "",
"Confirm Password": "Confirmer le mot de passe", "Confirm Password": "Confirmer le mot de passe",
"Confirm your action": "",
"Connections": "Connexions", "Connections": "Connexions",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Contenu", "Content": "Contenu",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Créer une nouvelle clé secrète", "Create new secret key": "Créer une nouvelle clé secrète",
"Created at": "Créé le", "Created at": "Créé le",
"Created At": "Crée Le", "Created At": "Crée Le",
"Created by": "",
"CSV Import": "",
"Current Model": "Modèle actuel", "Current Model": "Modèle actuel",
"Current Password": "Mot de passe actuel", "Current Password": "Mot de passe actuel",
"Custom": "Personnalisé", "Custom": "Personnalisé",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Supprimer toutes les discussions", "Delete All Chats": "Supprimer toutes les discussions",
"Delete chat": "Supprimer le chat", "Delete chat": "Supprimer le chat",
"Delete Chat": "Supprimer le Chat", "Delete Chat": "Supprimer le Chat",
"Delete chat?": "",
"delete this link": "supprimer ce lien", "delete this link": "supprimer ce lien",
"Delete User": "Supprimer l'Utilisateur", "Delete User": "Supprimer l'Utilisateur",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} supprimé", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} supprimé",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Exporter les Chats", "Export Chats": "Exporter les Chats",
"Export Documents Mapping": "Exporter la Correspondance des Documents", "Export Documents Mapping": "Exporter la Correspondance des Documents",
"Export Functions": "",
"Export Models": "Exporter les Modèles", "Export Models": "Exporter les Modèles",
"Export Prompts": "Exporter les Prompts", "Export Prompts": "Exporter les Prompts",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Février", "February": "Février",
"Feel free to add specific details": "N'hésitez pas à ajouter des détails spécifiques", "Feel free to add specific details": "N'hésitez pas à ajouter des détails spécifiques",
"File": "",
"File Mode": "Mode Fichier", "File Mode": "Mode Fichier",
"File not found.": "Fichier non trouvé.", "File not found.": "Fichier non trouvé.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Usurpation d'empreinte digitale détectée : Impossible d'utiliser les initiales comme avatar. L'image de profil par défaut sera utilisée.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Usurpation d'empreinte digitale détectée : Impossible d'utiliser les initiales comme avatar. L'image de profil par défaut sera utilisée.",
"Fluidly stream large external response chunks": "Diffusez de manière fluide de gros morceaux de réponses externes", "Fluidly stream large external response chunks": "Diffusez de manière fluide de gros morceaux de réponses externes",
"Focus chat input": "Concentrer sur l'entrée du chat", "Focus chat input": "Concentrer sur l'entrée du chat",
"Followed instructions perfectly": "A suivi les instructions parfaitement", "Followed instructions perfectly": "A suivi les instructions parfaitement",
"Form": "",
"Format your variables using square brackets like this:": "Formatez vos variables en utilisant des crochets comme ceci :", "Format your variables using square brackets like this:": "Formatez vos variables en utilisant des crochets comme ceci :",
"Frequency Penalty": "Pénalité de fréquence", "Frequency Penalty": "Pénalité de fréquence",
"Functions": "",
"General": "Général", "General": "Général",
"General Settings": "Paramètres Généraux", "General Settings": "Paramètres Généraux",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Bonjour, {{name}}", "Hello, {{name}}": "Bonjour, {{name}}",
"Help": "Aide", "Help": "Aide",
"Hide": "Cacher", "Hide": "Cacher",
"Hide Model": "",
"How can I help you today?": "Comment puis-je vous aider aujourd'hui ?", "How can I help you today?": "Comment puis-je vous aider aujourd'hui ?",
"Hybrid Search": "Recherche Hybride", "Hybrid Search": "Recherche Hybride",
"Image Generation (Experimental)": "Génération d'Image (Expérimental)", "Image Generation (Experimental)": "Génération d'Image (Expérimental)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Images", "Images": "Images",
"Import Chats": "Importer les Chats", "Import Chats": "Importer les Chats",
"Import Documents Mapping": "Importer la Correspondance des Documents", "Import Documents Mapping": "Importer la Correspondance des Documents",
"Import Functions": "",
"Import Models": "Importer des Modèles", "Import Models": "Importer des Modèles",
"Import Prompts": "Importer des Prompts", "Import Prompts": "Importer des Prompts",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oups ! Tenez bon ! Vos fichiers sont encore dans le four. Nous les cuisinons à la perfection. Soyez patient et nous vous informerons dès qu'ils seront prêts.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Oups ! Tenez bon ! Vos fichiers sont encore dans le four. Nous les cuisinons à la perfection. Soyez patient et nous vous informerons dès qu'ils seront prêts.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! On dirait que l'URL est invalide. Vérifiez et réessayez.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! On dirait que l'URL est invalide. Vérifiez et réessayez.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oups ! Vous utilisez une méthode non-supportée (frontend uniquement). Veuillez également servir WebUI depuis le backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oups ! Vous utilisez une méthode non-supportée (frontend uniquement). Veuillez également servir WebUI depuis le backend.",
"Open": "Ouvrir", "Open": "Ouvrir",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Modèle de Reclassement", "Reranking Model": "Modèle de Reclassement",
"Reranking model disabled": "Modèle de Reclassement Désactivé", "Reranking model disabled": "Modèle de Reclassement Désactivé",
"Reranking model set to \"{{reranking_model}}\"": "Modèle de reclassement défini sur \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Modèle de reclassement défini sur \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Réinitialiser le Stockage de Vecteur", "Reset Vector Storage": "Réinitialiser le Stockage de Vecteur",
"Response AutoCopy to Clipboard": "Copie Automatique de la Réponse dans le Presse-papiers", "Response AutoCopy to Clipboard": "Copie Automatique de la Réponse dans le Presse-papiers",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Rechercher un modèle", "Search a model": "Rechercher un modèle",
"Search Chats": "Rechercher des chats", "Search Chats": "Rechercher des chats",
"Search Documents": "Rechercher des Documents", "Search Documents": "Rechercher des Documents",
"Search Functions": "",
"Search Models": "Rechercher des modèles", "Search Models": "Rechercher des modèles",
"Search Prompts": "Rechercher des Prompts", "Search Prompts": "Rechercher des Prompts",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "résumé court", "short-summary": "résumé court",
"Show": "Montrer", "Show": "Montrer",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Afficher les raccourcis", "Show shortcuts": "Afficher les raccourcis",
"Showcased creativity": "Créativité affichée", "Showcased creativity": "Créativité affichée",
"sidebar": "barre latérale", "sidebar": "barre latérale",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Système", "System": "Système",
"System Prompt": "Prompt du Système", "System Prompt": "Prompt du Système",
"Tags": "Tags", "Tags": "Tags",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Dites-nous en plus :", "Tell us more:": "Dites-nous en plus :",
"Temperature": "Température", "Temperature": "Température",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Le score devrait avoir une valeur entre 0.0 (0%) et 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Le score devrait avoir une valeur entre 0.0 (0%) et 1.0 (100%).",
"Theme": "Thème", "Theme": "Thème",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos précieuses conversations sont en sécurité dans votre base de données. Merci !", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos précieuses conversations sont en sécurité dans votre base de données. Merci !",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Ce paramètre ne se synchronise pas entre les navigateurs ou les appareils.", "This setting does not sync across browsers or devices.": "Ce paramètre ne se synchronise pas entre les navigateurs ou les appareils.",
"This will delete": "",
"Thorough explanation": "Explication détaillée", "Thorough explanation": "Explication détaillée",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Conseil : Mettez à jour plusieurs emplacements de variables consécutivement en appuyant sur la touche tab dans l'entrée de chat après chaque remplacement", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Conseil : Mettez à jour plusieurs emplacements de variables consécutivement en appuyant sur la touche tab dans l'entrée de chat après chaque remplacement",
"Title": "Titre", "Title": "Titre",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "à l'entrée du chat.", "to chat input.": "à l'entrée du chat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Aujourd'hui", "Today": "Aujourd'hui",
"Toggle settings": "Basculer les paramètres", "Toggle settings": "Basculer les paramètres",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Type", "Type": "Type",
"Type Hugging Face Resolve (Download) URL": "Entrez l'URL de Résolution (Téléchargement) Hugging Face", "Type Hugging Face Resolve (Download) URL": "Entrez l'URL de Résolution (Téléchargement) Hugging Face",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh ! Il y a eu un problème de connexion à {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh ! Il y a eu un problème de connexion à {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Type de Fichier Inconnu '{{file_type}}', mais accepté et traité comme du texte brut", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Mettre à Jour et Copier le Lien", "Update and Copy Link": "Mettre à Jour et Copier le Lien",
"Update password": "Mettre à Jour le Mot de Passe", "Update password": "Mettre à Jour le Mot de Passe",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Téléverser un modèle GGUF", "Upload a GGUF model": "Téléverser un modèle GGUF",
"Upload Files": "Téléverser des fichiers", "Upload Files": "Téléverser des fichiers",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "variable", "variable": "variable",
"variable to have them replaced with clipboard content.": "variable pour les remplacer par le contenu du presse-papiers.", "variable to have them replaced with clipboard content.": "variable pour les remplacer par le contenu du presse-papiers.",
"Version": "Version", "Version": "Version",
"Voice": "",
"Warning": "Avertissement", "Warning": "Avertissement",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertissement : Si vous mettez à jour ou modifier votre modèle d'embedding, vous devrez réimporter tous les documents.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertissement : Si vous mettez à jour ou modifier votre modèle d'embedding, vous devrez réimporter tous les documents.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Recherche sur le Web", "Web Search": "Recherche sur le Web",
"Web Search Engine": "Moteur de recherche Web", "Web Search Engine": "Moteur de recherche Web",
"Webhook URL": "URL du Webhook", "Webhook URL": "URL du Webhook",
"WebUI Add-ons": "Add-ons WebUI",
"WebUI Settings": "Paramètres WebUI", "WebUI Settings": "Paramètres WebUI",
"WebUI will make requests to": "WebUI effectuera des demandes à", "WebUI will make requests to": "WebUI effectuera des demandes à",
"What’s New in": "Quoi de neuf dans", "What’s New in": "Quoi de neuf dans",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "אפשר", "Allow": "אפשר",
"Allow Chat Deletion": "אפשר מחיקת צ'אט", "Allow Chat Deletion": "אפשר מחיקת צ'אט",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "תווים אלפאנומריים ומקפים", "alphanumeric characters and hyphens": "תווים אלפאנומריים ומקפים",
"Already have an account?": "כבר יש לך חשבון?", "Already have an account?": "כבר יש לך חשבון?",
"an assistant": "עוזר", "an assistant": "עוזר",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "יכולות", "Capabilities": "יכולות",
"Change Password": "שנה סיסמה", "Change Password": "שנה סיסמה",
"Chat": "צ'אט", "Chat": "צ'אט",
"Chat Background Image": "",
"Chat Bubble UI": "UI של תיבת הדיבור", "Chat Bubble UI": "UI של תיבת הדיבור",
"Chat direction": "כיוון צ'אט", "Chat direction": "כיוון צ'אט",
"Chat History": "היסטוריית צ'אט", "Chat History": "היסטוריית צ'אט",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "לחץ כאן לעזרה.", "Click here for help.": "לחץ כאן לעזרה.",
"Click here to": "לחץ כאן כדי", "Click here to": "לחץ כאן כדי",
"Click here to download user import template file.": "",
"Click here to select": "לחץ כאן לבחירה", "Click here to select": "לחץ כאן לבחירה",
"Click here to select a csv file.": "לחץ כאן לבחירת קובץ csv.", "Click here to select a csv file.": "לחץ כאן לבחירת קובץ csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "נדרשת כתובת URL בסיסית של ComfyUI", "ComfyUI Base URL is required.": "נדרשת כתובת URL בסיסית של ComfyUI",
"Command": "פקודה", "Command": "פקודה",
"Concurrent Requests": "בקשות בו-זמניות", "Concurrent Requests": "בקשות בו-זמניות",
"Confirm": "",
"Confirm Password": "אשר סיסמה", "Confirm Password": "אשר סיסמה",
"Confirm your action": "",
"Connections": "חיבורים", "Connections": "חיבורים",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "תוכן", "Content": "תוכן",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "צור מפתח סודי חדש", "Create new secret key": "צור מפתח סודי חדש",
"Created at": "נוצר ב", "Created at": "נוצר ב",
"Created At": "נוצר ב", "Created At": "נוצר ב",
"Created by": "",
"CSV Import": "",
"Current Model": "המודל הנוכחי", "Current Model": "המודל הנוכחי",
"Current Password": "הסיסמה הנוכחית", "Current Password": "הסיסמה הנוכחית",
"Custom": "מותאם אישית", "Custom": "מותאם אישית",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "מחק את כל הצ'אטים", "Delete All Chats": "מחק את כל הצ'אטים",
"Delete chat": "מחק צ'אט", "Delete chat": "מחק צ'אט",
"Delete Chat": "מחק צ'אט", "Delete Chat": "מחק צ'אט",
"Delete chat?": "",
"delete this link": "מחק את הקישור הזה", "delete this link": "מחק את הקישור הזה",
"Delete User": "מחק משתמש", "Delete User": "מחק משתמש",
"Deleted {{deleteModelTag}}": "נמחק {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "נמחק {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "ייצוא צ'אטים", "Export Chats": "ייצוא צ'אטים",
"Export Documents Mapping": "ייצוא מיפוי מסמכים", "Export Documents Mapping": "ייצוא מיפוי מסמכים",
"Export Functions": "",
"Export Models": "ייצוא מודלים", "Export Models": "ייצוא מודלים",
"Export Prompts": "ייצוא פקודות", "Export Prompts": "ייצוא פקודות",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "פברואר", "February": "פברואר",
"Feel free to add specific details": "נא להוסיף פרטים ספציפיים לפי רצון", "Feel free to add specific details": "נא להוסיף פרטים ספציפיים לפי רצון",
"File": "",
"File Mode": "מצב קובץ", "File Mode": "מצב קובץ",
"File not found.": "הקובץ לא נמצא.", "File not found.": "הקובץ לא נמצא.",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "התגלתה הזיית טביעת אצבע: לא ניתן להשתמש בראשי תיבות כאווטאר. משתמש בתמונת פרופיל ברירת מחדל.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "התגלתה הזיית טביעת אצבע: לא ניתן להשתמש בראשי תיבות כאווטאר. משתמש בתמונת פרופיל ברירת מחדל.",
"Fluidly stream large external response chunks": "שידור נתונים חיצוניים בקצב רציף", "Fluidly stream large external response chunks": "שידור נתונים חיצוניים בקצב רציף",
"Focus chat input": "מיקוד הקלט לצ'אט", "Focus chat input": "מיקוד הקלט לצ'אט",
"Followed instructions perfectly": "עקב אחר ההוראות במושלמות", "Followed instructions perfectly": "עקב אחר ההוראות במושלמות",
"Form": "",
"Format your variables using square brackets like this:": "עצב את המשתנים שלך באמצעות סוגריים מרובעים כך:", "Format your variables using square brackets like this:": "עצב את המשתנים שלך באמצעות סוגריים מרובעים כך:",
"Frequency Penalty": "עונש תדירות", "Frequency Penalty": "עונש תדירות",
"Functions": "",
"General": "כללי", "General": "כללי",
"General Settings": "הגדרות כלליות", "General Settings": "הגדרות כלליות",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "שלום, {{name}}", "Hello, {{name}}": "שלום, {{name}}",
"Help": "עזרה", "Help": "עזרה",
"Hide": "הסתר", "Hide": "הסתר",
"Hide Model": "",
"How can I help you today?": "כיצד אוכל לעזור לך היום?", "How can I help you today?": "כיצד אוכל לעזור לך היום?",
"Hybrid Search": "חיפוש היברידי", "Hybrid Search": "חיפוש היברידי",
"Image Generation (Experimental)": "יצירת תמונות (ניסיוני)", "Image Generation (Experimental)": "יצירת תמונות (ניסיוני)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "תמונות", "Images": "תמונות",
"Import Chats": "יבוא צ'אטים", "Import Chats": "יבוא צ'אטים",
"Import Documents Mapping": "יבוא מיפוי מסמכים", "Import Documents Mapping": "יבוא מיפוי מסמכים",
"Import Functions": "",
"Import Models": "ייבוא דגמים", "Import Models": "ייבוא דגמים",
"Import Prompts": "יבוא פקודות", "Import Prompts": "יבוא פקודות",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.", "Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "אופס! תחזיק מעמד! הקבצים שלך עדיין בתהליך העיבוד. אנו מבשלים אותם לשלמות. נא להתאזר בסבלנות ונודיע לך ברגע שיהיו מוכנים.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "אופס! תחזיק מעמד! הקבצים שלך עדיין בתהליך העיבוד. אנו מבשלים אותם לשלמות. נא להתאזר בסבלנות ונודיע לך ברגע שיהיו מוכנים.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "אופס! אתה משתמש בשיטה לא נתמכת (רק חזית). אנא שרת את ממשק המשתמש האינטרנטי מהשרת האחורי.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "אופס! אתה משתמש בשיטה לא נתמכת (רק חזית). אנא שרת את ממשק המשתמש האינטרנטי מהשרת האחורי.",
"Open": "פתח", "Open": "פתח",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "מודל דירוג מחדש", "Reranking Model": "מודל דירוג מחדש",
"Reranking model disabled": "מודל דירוג מחדש מושבת", "Reranking model disabled": "מודל דירוג מחדש מושבת",
"Reranking model set to \"{{reranking_model}}\"": "מודל דירוג מחדש הוגדר ל-\"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "מודל דירוג מחדש הוגדר ל-\"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "איפוס אחסון וקטורים", "Reset Vector Storage": "איפוס אחסון וקטורים",
"Response AutoCopy to Clipboard": "העתקה אוטומטית של תגובה ללוח", "Response AutoCopy to Clipboard": "העתקה אוטומטית של תגובה ללוח",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "חפש מודל", "Search a model": "חפש מודל",
"Search Chats": "חיפוש צ'אטים", "Search Chats": "חיפוש צ'אטים",
"Search Documents": "חפש מסמכים", "Search Documents": "חפש מסמכים",
"Search Functions": "",
"Search Models": "חיפוש מודלים", "Search Models": "חיפוש מודלים",
"Search Prompts": "חפש פקודות", "Search Prompts": "חפש פקודות",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "סיכום קצר", "short-summary": "סיכום קצר",
"Show": "הצג", "Show": "הצג",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "הצג קיצורי דרך", "Show shortcuts": "הצג קיצורי דרך",
"Showcased creativity": "הצגת יצירתיות", "Showcased creativity": "הצגת יצירתיות",
"sidebar": "סרגל צד", "sidebar": "סרגל צד",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "מערכת", "System": "מערכת",
"System Prompt": "תגובת מערכת", "System Prompt": "תגובת מערכת",
"Tags": "תגיות", "Tags": "תגיות",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "תרשמו יותר:", "Tell us more:": "תרשמו יותר:",
"Temperature": "טמפרטורה", "Temperature": "טמפרטורה",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "ציון צריך להיות ערך בין 0.0 (0%) ל-1.0 (100%)", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "ציון צריך להיות ערך בין 0.0 (0%) ל-1.0 (100%)",
"Theme": "נושא", "Theme": "נושא",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "פעולה זו מבטיחה שהשיחות בעלות הערך שלך יישמרו באופן מאובטח במסד הנתונים העורפי שלך. תודה!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "פעולה זו מבטיחה שהשיחות בעלות הערך שלך יישמרו באופן מאובטח במסד הנתונים העורפי שלך. תודה!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "הגדרה זו אינה מסתנכרנת בין דפדפנים או מכשירים.", "This setting does not sync across browsers or devices.": "הגדרה זו אינה מסתנכרנת בין דפדפנים או מכשירים.",
"This will delete": "",
"Thorough explanation": "תיאור מפורט", "Thorough explanation": "תיאור מפורט",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "טיפ: עדכן חריצים משתנים מרובים ברציפות על-ידי לחיצה על מקש Tab בקלט הצ'אט לאחר כל החלפה.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "טיפ: עדכן חריצים משתנים מרובים ברציפות על-ידי לחיצה על מקש Tab בקלט הצ'אט לאחר כל החלפה.",
"Title": "שם", "Title": "שם",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "לקלטת שיחה.", "to chat input.": "לקלטת שיחה.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "היום", "Today": "היום",
"Toggle settings": "החלפת מצב של הגדרות", "Toggle settings": "החלפת מצב של הגדרות",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "סוג", "Type": "סוג",
"Type Hugging Face Resolve (Download) URL": "הקלד כתובת URL של פתרון פנים מחבק (הורד)", "Type Hugging Face Resolve (Download) URL": "הקלד כתובת URL של פתרון פנים מחבק (הורד)",
"Uh-oh! There was an issue connecting to {{provider}}.": "או-הו! אירעה בעיה בהתחברות ל- {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "או-הו! אירעה בעיה בהתחברות ל- {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "סוג קובץ לא ידוע '{{file_type}}', אך מקבל ומתייחס אליו כטקסט רגיל", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "עדכן ושכפל קישור", "Update and Copy Link": "עדכן ושכפל קישור",
"Update password": "עדכן סיסמה", "Update password": "עדכן סיסמה",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "העלה מודל GGUF", "Upload a GGUF model": "העלה מודל GGUF",
"Upload Files": "העלאת קבצים", "Upload Files": "העלאת קבצים",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "משתנה", "variable": "משתנה",
"variable to have them replaced with clipboard content.": "משתנה להחליפו ב- clipboard תוכן.", "variable to have them replaced with clipboard content.": "משתנה להחליפו ב- clipboard תוכן.",
"Version": "גרסה", "Version": "גרסה",
"Voice": "",
"Warning": "אזהרה", "Warning": "אזהרה",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "אזהרה: אם תעדכן או תשנה את מודל ההטבעה שלך, יהיה עליך לייבא מחדש את כל המסמכים.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "אזהרה: אם תעדכן או תשנה את מודל ההטבעה שלך, יהיה עליך לייבא מחדש את כל המסמכים.",
"Web": "רשת", "Web": "רשת",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "חיפוש באינטרנט", "Web Search": "חיפוש באינטרנט",
"Web Search Engine": "מנוע חיפוש באינטרנט", "Web Search Engine": "מנוע חיפוש באינטרנט",
"Webhook URL": "URL Webhook", "Webhook URL": "URL Webhook",
"WebUI Add-ons": "נסיונות WebUI",
"WebUI Settings": "הגדרות WebUI", "WebUI Settings": "הגדרות WebUI",
"WebUI will make requests to": "WebUI יבקש לבקש", "WebUI will make requests to": "WebUI יבקש לבקש",
"What’s New in": "מה חדש ב", "What’s New in": "מה חדש ב",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "अनुमति दें", "Allow": "अनुमति दें",
"Allow Chat Deletion": "चैट हटाने की अनुमति दें", "Allow Chat Deletion": "चैट हटाने की अनुमति दें",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "अल्फ़ान्यूमेरिक वर्ण और हाइफ़न", "alphanumeric characters and hyphens": "अल्फ़ान्यूमेरिक वर्ण और हाइफ़न",
"Already have an account?": "क्या आपके पास पहले से एक खाता मौजूद है?", "Already have an account?": "क्या आपके पास पहले से एक खाता मौजूद है?",
"an assistant": "एक सहायक", "an assistant": "एक सहायक",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "क्षमताओं", "Capabilities": "क्षमताओं",
"Change Password": "पासवर्ड बदलें", "Change Password": "पासवर्ड बदलें",
"Chat": "चैट करें", "Chat": "चैट करें",
"Chat Background Image": "",
"Chat Bubble UI": "चैट बॉली", "Chat Bubble UI": "चैट बॉली",
"Chat direction": "चैट दिशा", "Chat direction": "चैट दिशा",
"Chat History": "चैट का इतिहास", "Chat History": "चैट का इतिहास",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "सहायता के लिए यहां क्लिक करें।", "Click here for help.": "सहायता के लिए यहां क्लिक करें।",
"Click here to": "यहां क्लिक करें", "Click here to": "यहां क्लिक करें",
"Click here to download user import template file.": "",
"Click here to select": "चयन करने के लिए यहां क्लिक करें।", "Click here to select": "चयन करने के लिए यहां क्लिक करें।",
"Click here to select a csv file.": "सीएसवी फ़ाइल का चयन करने के लिए यहां क्लिक करें।", "Click here to select a csv file.": "सीएसवी फ़ाइल का चयन करने के लिए यहां क्लिक करें।",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "ComfyUI का बेस यूआरएल आवश्यक है", "ComfyUI Base URL is required.": "ComfyUI का बेस यूआरएल आवश्यक है",
"Command": "कमांड", "Command": "कमांड",
"Concurrent Requests": "समवर्ती अनुरोध", "Concurrent Requests": "समवर्ती अनुरोध",
"Confirm": "",
"Confirm Password": "पासवर्ड की पुष्टि कीजिये", "Confirm Password": "पासवर्ड की पुष्टि कीजिये",
"Confirm your action": "",
"Connections": "सम्बन्ध", "Connections": "सम्बन्ध",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "सामग्री", "Content": "सामग्री",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "नया क्रिप्टोग्राफिक क्षेत्र बनाएं", "Create new secret key": "नया क्रिप्टोग्राफिक क्षेत्र बनाएं",
"Created at": "किस समय बनाया गया", "Created at": "किस समय बनाया गया",
"Created At": "किस समय बनाया गया", "Created At": "किस समय बनाया गया",
"Created by": "",
"CSV Import": "",
"Current Model": "वर्तमान मॉडल", "Current Model": "वर्तमान मॉडल",
"Current Password": "वर्तमान पासवर्ड", "Current Password": "वर्तमान पासवर्ड",
"Custom": "कस्टम संस्करण", "Custom": "कस्टम संस्करण",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "सभी चैट हटाएं", "Delete All Chats": "सभी चैट हटाएं",
"Delete chat": "चैट हटाएं", "Delete chat": "चैट हटाएं",
"Delete Chat": "चैट हटाएं", "Delete Chat": "चैट हटाएं",
"Delete chat?": "",
"delete this link": "इस लिंक को हटाएं", "delete this link": "इस लिंक को हटाएं",
"Delete User": "उपभोक्ता मिटायें", "Delete User": "उपभोक्ता मिटायें",
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} हटा दिया गया", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} हटा दिया गया",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "चैट निर्यात करें", "Export Chats": "चैट निर्यात करें",
"Export Documents Mapping": "निर्यात दस्तावेज़ मैपिंग", "Export Documents Mapping": "निर्यात दस्तावेज़ मैपिंग",
"Export Functions": "",
"Export Models": "निर्यात मॉडल", "Export Models": "निर्यात मॉडल",
"Export Prompts": "प्रॉम्प्ट निर्यात करें", "Export Prompts": "प्रॉम्प्ट निर्यात करें",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "फरवरी", "February": "फरवरी",
"Feel free to add specific details": "विशिष्ट विवरण जोड़ने के लिए स्वतंत्र महसूस करें", "Feel free to add specific details": "विशिष्ट विवरण जोड़ने के लिए स्वतंत्र महसूस करें",
"File": "",
"File Mode": "फ़ाइल मोड", "File Mode": "फ़ाइल मोड",
"File not found.": "फ़ाइल प्राप्त नहीं हुई।", "File not found.": "फ़ाइल प्राप्त नहीं हुई।",
"Filters": "",
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "फ़िंगरप्रिंट स्पूफ़िंग का पता चला: प्रारंभिक अक्षरों को अवतार के रूप में उपयोग करने में असमर्थ। प्रोफ़ाइल छवि को डिफ़ॉल्ट पर डिफ़ॉल्ट किया जा रहा है.", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "फ़िंगरप्रिंट स्पूफ़िंग का पता चला: प्रारंभिक अक्षरों को अवतार के रूप में उपयोग करने में असमर्थ। प्रोफ़ाइल छवि को डिफ़ॉल्ट पर डिफ़ॉल्ट किया जा रहा है.",
"Fluidly stream large external response chunks": "बड़े बाह्य प्रतिक्रिया खंडों को तरल रूप से प्रवाहित करें", "Fluidly stream large external response chunks": "बड़े बाह्य प्रतिक्रिया खंडों को तरल रूप से प्रवाहित करें",
"Focus chat input": "चैट इनपुट पर फ़ोकस करें", "Focus chat input": "चैट इनपुट पर फ़ोकस करें",
"Followed instructions perfectly": "निर्देशों का पूर्णतः पालन किया", "Followed instructions perfectly": "निर्देशों का पूर्णतः पालन किया",
"Form": "",
"Format your variables using square brackets like this:": "वर्गाकार कोष्ठकों का उपयोग करके अपने चरों को इस प्रकार प्रारूपित करें :", "Format your variables using square brackets like this:": "वर्गाकार कोष्ठकों का उपयोग करके अपने चरों को इस प्रकार प्रारूपित करें :",
"Frequency Penalty": "फ्रीक्वेंसी पेनल्टी", "Frequency Penalty": "फ्रीक्वेंसी पेनल्टी",
"Functions": "",
"General": "सामान्य", "General": "सामान्य",
"General Settings": "सामान्य सेटिंग्स", "General Settings": "सामान्य सेटिंग्स",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "नमस्ते, {{name}}", "Hello, {{name}}": "नमस्ते, {{name}}",
"Help": "मदद", "Help": "मदद",
"Hide": "छुपाएं", "Hide": "छुपाएं",
"Hide Model": "",
"How can I help you today?": "आज मैं आपकी कैसे मदद कर सकता हूँ?", "How can I help you today?": "आज मैं आपकी कैसे मदद कर सकता हूँ?",
"Hybrid Search": "हाइब्रिड खोज", "Hybrid Search": "हाइब्रिड खोज",
"Image Generation (Experimental)": "छवि निर्माण (प्रायोगिक)", "Image Generation (Experimental)": "छवि निर्माण (प्रायोगिक)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "इमेजिस", "Images": "इमेजिस",
"Import Chats": "चैट आयात करें", "Import Chats": "चैट आयात करें",
"Import Documents Mapping": "दस्तावेज़ मैपिंग आयात करें", "Import Documents Mapping": "दस्तावेज़ मैपिंग आयात करें",
"Import Functions": "",
"Import Models": "आयात मॉडल", "Import Models": "आयात मॉडल",
"Import Prompts": "प्रॉम्प्ट आयात करें", "Import Prompts": "प्रॉम्प्ट आयात करें",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।", "Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "उफ़! कृपया प्रतीक्षा करें, आपकी फ़ाइलें अभी भी प्रसंस्करण ओवन में हैं। हम उन्हें पूर्णता से पका रहे हैं। कृपया धैर्य रखें और जब वे तैयार हो जाएंगे तो हम आपको बता देंगे।", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "उफ़! कृपया प्रतीक्षा करें, आपकी फ़ाइलें अभी भी प्रसंस्करण ओवन में हैं। हम उन्हें पूर्णता से पका रहे हैं। कृपया धैर्य रखें और जब वे तैयार हो जाएंगे तो हम आपको बता देंगे।",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।", "Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "उफ़! आप एक असमर्थित विधि (केवल फ्रंटएंड) का उपयोग कर रहे हैं। कृपया बैकएंड से WebUI सर्वे करें।", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "उफ़! आप एक असमर्थित विधि (केवल फ्रंटएंड) का उपयोग कर रहे हैं। कृपया बैकएंड से WebUI सर्वे करें।",
"Open": "खोलें", "Open": "खोलें",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "रीरैकिंग मोड", "Reranking Model": "रीरैकिंग मोड",
"Reranking model disabled": "पुनर्रैंकिंग मॉडल अक्षम किया गया", "Reranking model disabled": "पुनर्रैंकिंग मॉडल अक्षम किया गया",
"Reranking model set to \"{{reranking_model}}\"": "रीरैंकिंग मॉडल को \"{{reranking_model}}\" पर \u200b\u200bसेट किया गया", "Reranking model set to \"{{reranking_model}}\"": "रीरैंकिंग मॉडल को \"{{reranking_model}}\" पर \u200b\u200bसेट किया गया",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "वेक्टर संग्रहण रीसेट करें", "Reset Vector Storage": "वेक्टर संग्रहण रीसेट करें",
"Response AutoCopy to Clipboard": "क्लिपबोर्ड पर प्रतिक्रिया ऑटोकॉपी", "Response AutoCopy to Clipboard": "क्लिपबोर्ड पर प्रतिक्रिया ऑटोकॉपी",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "एक मॉडल खोजें", "Search a model": "एक मॉडल खोजें",
"Search Chats": "चैट खोजें", "Search Chats": "चैट खोजें",
"Search Documents": "दस्तावेज़ खोजें", "Search Documents": "दस्तावेज़ खोजें",
"Search Functions": "",
"Search Models": "मॉडल खोजें", "Search Models": "मॉडल खोजें",
"Search Prompts": "प्रॉम्प्ट खोजें", "Search Prompts": "प्रॉम्प्ट खोजें",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -474,6 +492,7 @@ ...@@ -474,6 +492,7 @@
"short-summary": "संक्षिप्त सारांश", "short-summary": "संक्षिप्त सारांश",
"Show": "दिखाओ", "Show": "दिखाओ",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "शॉर्टकट दिखाएँ", "Show shortcuts": "शॉर्टकट दिखाएँ",
"Showcased creativity": "रचनात्मकता का प्रदर्शन किया", "Showcased creativity": "रचनात्मकता का प्रदर्शन किया",
"sidebar": "साइड बार", "sidebar": "साइड बार",
...@@ -495,6 +514,7 @@ ...@@ -495,6 +514,7 @@
"System": "सिस्टम", "System": "सिस्टम",
"System Prompt": "सिस्टम प्रॉम्प्ट", "System Prompt": "सिस्टम प्रॉम्प्ट",
"Tags": "टैग", "Tags": "टैग",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "हमें और अधिक बताएँ:", "Tell us more:": "हमें और अधिक बताएँ:",
"Temperature": "टेंपेरेचर", "Temperature": "टेंपेरेचर",
...@@ -506,9 +526,11 @@ ...@@ -506,9 +526,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "स्कोर का मान 0.0 (0%) और 1.0 (100%) के बीच होना चाहिए।", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "स्कोर का मान 0.0 (0%) और 1.0 (100%) के बीच होना चाहिए।",
"Theme": "थीम", "Theme": "थीम",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "यह सुनिश्चित करता है कि आपकी मूल्यवान बातचीत आपके बैकएंड डेटाबेस में सुरक्षित रूप से सहेजी गई है। धन्यवाद!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "यह सुनिश्चित करता है कि आपकी मूल्यवान बातचीत आपके बैकएंड डेटाबेस में सुरक्षित रूप से सहेजी गई है। धन्यवाद!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "यह सेटिंग सभी ब्राउज़रों या डिवाइसों में समन्वयित नहीं होती है", "This setting does not sync across browsers or devices.": "यह सेटिंग सभी ब्राउज़रों या डिवाइसों में समन्वयित नहीं होती है",
"This will delete": "",
"Thorough explanation": "विस्तृत व्याख्या", "Thorough explanation": "विस्तृत व्याख्या",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "टिप: प्रत्येक प्रतिस्थापन के बाद चैट इनपुट में टैब कुंजी दबाकर लगातार कई वैरिएबल स्लॉट अपडेट करें।", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "टिप: प्रत्येक प्रतिस्थापन के बाद चैट इनपुट में टैब कुंजी दबाकर लगातार कई वैरिएबल स्लॉट अपडेट करें।",
"Title": "शीर्षक", "Title": "शीर्षक",
...@@ -522,6 +544,7 @@ ...@@ -522,6 +544,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "इनपुट चैट करने के लिए.", "to chat input.": "इनपुट चैट करने के लिए.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "आज", "Today": "आज",
"Toggle settings": "सेटिंग्स टॉगल करें", "Toggle settings": "सेटिंग्स टॉगल करें",
...@@ -537,10 +560,13 @@ ...@@ -537,10 +560,13 @@
"Type": "प्रकार", "Type": "प्रकार",
"Type Hugging Face Resolve (Download) URL": "हगिंग फेस रिज़ॉल्व (डाउनलोड) यूआरएल टाइप करें", "Type Hugging Face Resolve (Download) URL": "हगिंग फेस रिज़ॉल्व (डाउनलोड) यूआरएल टाइप करें",
"Uh-oh! There was an issue connecting to {{provider}}.": "उह ओह! {{provider}} से कनेक्ट करने में एक समस्या थी।", "Uh-oh! There was an issue connecting to {{provider}}.": "उह ओह! {{provider}} से कनेक्ट करने में एक समस्या थी।",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "अज्ञात फ़ाइल प्रकार '{{file_type}}', लेकिन स्वीकार करना और सादे पाठ के रूप में व्यवहार करना", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "अपडेट करें और लिंक कॉपी करें", "Update and Copy Link": "अपडेट करें और लिंक कॉपी करें",
"Update password": "पासवर्ड अपडेट करें", "Update password": "पासवर्ड अपडेट करें",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "GGUF मॉडल अपलोड करें", "Upload a GGUF model": "GGUF मॉडल अपलोड करें",
"Upload Files": "फ़ाइलें अपलोड करें", "Upload Files": "फ़ाइलें अपलोड करें",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -559,6 +585,7 @@ ...@@ -559,6 +585,7 @@
"variable": "वेरिएबल", "variable": "वेरिएबल",
"variable to have them replaced with clipboard content.": "उन्हें क्लिपबोर्ड सामग्री से बदलने के लिए वेरिएबल।", "variable to have them replaced with clipboard content.": "उन्हें क्लिपबोर्ड सामग्री से बदलने के लिए वेरिएबल।",
"Version": "संस्करण", "Version": "संस्करण",
"Voice": "",
"Warning": "चेतावनी", "Warning": "चेतावनी",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "चेतावनी: यदि आप अपने एम्बेडिंग मॉडल को अपडेट या बदलते हैं, तो आपको सभी दस्तावेज़ों को फिर से आयात करने की आवश्यकता होगी।", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "चेतावनी: यदि आप अपने एम्बेडिंग मॉडल को अपडेट या बदलते हैं, तो आपको सभी दस्तावेज़ों को फिर से आयात करने की आवश्यकता होगी।",
"Web": "वेब", "Web": "वेब",
...@@ -568,7 +595,6 @@ ...@@ -568,7 +595,6 @@
"Web Search": "वेब खोज", "Web Search": "वेब खोज",
"Web Search Engine": "वेब खोज इंजन", "Web Search Engine": "वेब खोज इंजन",
"Webhook URL": "वेबहुक URL", "Webhook URL": "वेबहुक URL",
"WebUI Add-ons": "वेबयू ऐड-ons",
"WebUI Settings": "WebUI सेटिंग्स", "WebUI Settings": "WebUI सेटिंग्स",
"WebUI will make requests to": "WebUI अनुरोध करेगा", "WebUI will make requests to": "WebUI अनुरोध करेगा",
"What’s New in": "इसमें नया क्या है", "What’s New in": "इसमें नया क्या है",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Dopusti", "Allow": "Dopusti",
"Allow Chat Deletion": "Dopusti brisanje razgovora", "Allow Chat Deletion": "Dopusti brisanje razgovora",
"Allow non-local voices": "Dopusti nelokalne glasove", "Allow non-local voices": "Dopusti nelokalne glasove",
"Allow User Location": "",
"alphanumeric characters and hyphens": "alfanumerički znakovi i crtice", "alphanumeric characters and hyphens": "alfanumerički znakovi i crtice",
"Already have an account?": "Već imate račun?", "Already have an account?": "Već imate račun?",
"an assistant": "asistent", "an assistant": "asistent",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Mogućnosti", "Capabilities": "Mogućnosti",
"Change Password": "Promijeni lozinku", "Change Password": "Promijeni lozinku",
"Chat": "Razgovor", "Chat": "Razgovor",
"Chat Background Image": "",
"Chat Bubble UI": "Razgovor - Bubble UI", "Chat Bubble UI": "Razgovor - Bubble UI",
"Chat direction": "Razgovor - smijer", "Chat direction": "Razgovor - smijer",
"Chat History": "Povijest razgovora", "Chat History": "Povijest razgovora",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "Očisti memoriju", "Clear memory": "Očisti memoriju",
"Click here for help.": "Kliknite ovdje za pomoć.", "Click here for help.": "Kliknite ovdje za pomoć.",
"Click here to": "Kliknite ovdje za", "Click here to": "Kliknite ovdje za",
"Click here to download user import template file.": "",
"Click here to select": "Kliknite ovdje za odabir", "Click here to select": "Kliknite ovdje za odabir",
"Click here to select a csv file.": "Kliknite ovdje da odaberete csv datoteku.", "Click here to select a csv file.": "Kliknite ovdje da odaberete csv datoteku.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "Potreban je ComfyUI osnovni URL.", "ComfyUI Base URL is required.": "Potreban je ComfyUI osnovni URL.",
"Command": "Naredba", "Command": "Naredba",
"Concurrent Requests": "Istodobni zahtjevi", "Concurrent Requests": "Istodobni zahtjevi",
"Confirm": "",
"Confirm Password": "Potvrdite lozinku", "Confirm Password": "Potvrdite lozinku",
"Confirm your action": "",
"Connections": "Povezivanja", "Connections": "Povezivanja",
"Contact Admin for WebUI Access": "Kontaktirajte admina za WebUI pristup", "Contact Admin for WebUI Access": "Kontaktirajte admina za WebUI pristup",
"Content": "Sadržaj", "Content": "Sadržaj",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Stvori novi tajni ključ", "Create new secret key": "Stvori novi tajni ključ",
"Created at": "Stvoreno", "Created at": "Stvoreno",
"Created At": "Stvoreno", "Created At": "Stvoreno",
"Created by": "",
"CSV Import": "",
"Current Model": "Trenutni model", "Current Model": "Trenutni model",
"Current Password": "Trenutna lozinka", "Current Password": "Trenutna lozinka",
"Custom": "Prilagođeno", "Custom": "Prilagođeno",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Izbriši sve razgovore", "Delete All Chats": "Izbriši sve razgovore",
"Delete chat": "Izbriši razgovor", "Delete chat": "Izbriši razgovor",
"Delete Chat": "Izbriši razgovor", "Delete Chat": "Izbriši razgovor",
"Delete chat?": "",
"delete this link": "izbriši ovu vezu", "delete this link": "izbriši ovu vezu",
"Delete User": "Izbriši korisnika", "Delete User": "Izbriši korisnika",
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "Izvoz četa (.json)", "Export chat (.json)": "Izvoz četa (.json)",
"Export Chats": "Izvoz razgovora", "Export Chats": "Izvoz razgovora",
"Export Documents Mapping": "Izvoz mapiranja dokumenata", "Export Documents Mapping": "Izvoz mapiranja dokumenata",
"Export Functions": "",
"Export Models": "Izvoz modela", "Export Models": "Izvoz modela",
"Export Prompts": "Izvoz prompta", "Export Prompts": "Izvoz prompta",
"Export Tools": "Izvoz alata", "Export Tools": "Izvoz alata",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "Greška kod ažuriranja postavki", "Failed to update settings": "Greška kod ažuriranja postavki",
"February": "Veljača", "February": "Veljača",
"Feel free to add specific details": "Slobodno dodajte specifične detalje", "Feel free to add specific details": "Slobodno dodajte specifične detalje",
"File": "",
"File Mode": "Način datoteke", "File Mode": "Način datoteke",
"File not found.": "Datoteka nije pronađena.", "File not found.": "Datoteka nije pronađena.",
"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.", "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.",
"Fluidly stream large external response chunks": "Glavno strujanje velikih vanjskih dijelova odgovora", "Fluidly stream large external response chunks": "Glavno strujanje velikih vanjskih dijelova odgovora",
"Focus chat input": "Fokusiraj unos razgovora", "Focus chat input": "Fokusiraj unos razgovora",
"Followed instructions perfectly": "Savršeno slijedio upute", "Followed instructions perfectly": "Savršeno slijedio upute",
"Form": "",
"Format your variables using square brackets like this:": "Formatirajte svoje varijable pomoću uglatih zagrada ovako:", "Format your variables using square brackets like this:": "Formatirajte svoje varijable pomoću uglatih zagrada ovako:",
"Frequency Penalty": "Kazna za učestalost", "Frequency Penalty": "Kazna za učestalost",
"Functions": "",
"General": "Općenito", "General": "Općenito",
"General Settings": "Opće postavke", "General Settings": "Opće postavke",
"Generate Image": "Gneriraj sliku", "Generate Image": "Gneriraj sliku",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Bok, {{name}}", "Hello, {{name}}": "Bok, {{name}}",
"Help": "Pomoć", "Help": "Pomoć",
"Hide": "Sakrij", "Hide": "Sakrij",
"Hide Model": "",
"How can I help you today?": "Kako vam mogu pomoći danas?", "How can I help you today?": "Kako vam mogu pomoći danas?",
"Hybrid Search": "Hibridna pretraga", "Hybrid Search": "Hibridna pretraga",
"Image Generation (Experimental)": "Generiranje slika (eksperimentalno)", "Image Generation (Experimental)": "Generiranje slika (eksperimentalno)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Slike", "Images": "Slike",
"Import Chats": "Uvoz razgovora", "Import Chats": "Uvoz razgovora",
"Import Documents Mapping": "Uvoz mapiranja dokumenata", "Import Documents Mapping": "Uvoz mapiranja dokumenata",
"Import Functions": "",
"Import Models": "Uvoz modela", "Import Models": "Uvoz modela",
"Import Prompts": "Uvoz prompta", "Import Prompts": "Uvoz prompta",
"Import Tools": "Uvoz alata", "Import Tools": "Uvoz alata",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ups! Držite se! Vaše datoteke su još uvijek u procesu obrade. Pečemo ih do savršenstva. Molimo vas da budete strpljivi i obavijestit ćemo vas kada budu spremne.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ups! Držite se! Vaše datoteke su još uvijek u procesu obrade. Pečemo ih do savršenstva. Molimo vas da budete strpljivi i obavijestit ćemo vas kada budu spremne.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ups! Koristite nepodržanu metodu (samo frontend). Molimo poslužite WebUI s backend-a.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ups! Koristite nepodržanu metodu (samo frontend). Molimo poslužite WebUI s backend-a.",
"Open": "Otvoreno", "Open": "Otvoreno",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Model za ponovno rangiranje", "Reranking Model": "Model za ponovno rangiranje",
"Reranking model disabled": "Model za ponovno rangiranje onemogućen", "Reranking model disabled": "Model za ponovno rangiranje onemogućen",
"Reranking model set to \"{{reranking_model}}\"": "Model za ponovno rangiranje postavljen na \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Model za ponovno rangiranje postavljen na \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "Poništi upload direktorij", "Reset Upload Directory": "Poništi upload direktorij",
"Reset Vector Storage": "Resetiraj pohranu vektora", "Reset Vector Storage": "Resetiraj pohranu vektora",
"Response AutoCopy to Clipboard": "Automatsko kopiranje odgovora u međuspremnik", "Response AutoCopy to Clipboard": "Automatsko kopiranje odgovora u međuspremnik",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Pretraži model", "Search a model": "Pretraži model",
"Search Chats": "Pretraži razgovore", "Search Chats": "Pretraži razgovore",
"Search Documents": "Pretraga dokumenata", "Search Documents": "Pretraga dokumenata",
"Search Functions": "",
"Search Models": "Pretražite modele", "Search Models": "Pretražite modele",
"Search Prompts": "Pretraga prompta", "Search Prompts": "Pretraga prompta",
"Search Query Generation Prompt": "Upit za generiranje upita za pretraživanje", "Search Query Generation Prompt": "Upit za generiranje upita za pretraživanje",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "kratki sažetak", "short-summary": "kratki sažetak",
"Show": "Pokaži", "Show": "Pokaži",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Pokaži prečace", "Show shortcuts": "Pokaži prečace",
"Showcased creativity": "Prikazana kreativnost", "Showcased creativity": "Prikazana kreativnost",
"sidebar": "bočna traka", "sidebar": "bočna traka",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Sustav", "System": "Sustav",
"System Prompt": "Sistemski prompt", "System Prompt": "Sistemski prompt",
"Tags": "Oznake", "Tags": "Oznake",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Recite nam više:", "Tell us more:": "Recite nam više:",
"Temperature": "Temperatura", "Temperature": "Temperatura",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Ocjena treba biti vrijednost između 0,0 (0%) i 1,0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Ocjena treba biti vrijednost između 0,0 (0%) i 1,0 (100%).",
"Theme": "Tema", "Theme": "Tema",
"Thinking...": "Razmišljam", "Thinking...": "Razmišljam",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ovo osigurava da su vaši vrijedni razgovori sigurno spremljeni u bazu podataka. Hvala vam!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ovo osigurava da su vaši vrijedni razgovori sigurno spremljeni u bazu podataka. Hvala vam!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ovo je eksperimentalna značajka, možda neće funkcionirati prema očekivanjima i podložna je promjenama u bilo kojem trenutku.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ovo je eksperimentalna značajka, možda neće funkcionirati prema očekivanjima i podložna je promjenama u bilo kojem trenutku.",
"This setting does not sync across browsers or devices.": "Ova postavka se ne sinkronizira između preglednika ili uređaja.", "This setting does not sync across browsers or devices.": "Ova postavka se ne sinkronizira između preglednika ili uređaja.",
"This will delete": "",
"Thorough explanation": "Detaljno objašnjenje", "Thorough explanation": "Detaljno objašnjenje",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Savjet: Ažurirajte više mjesta za varijable uzastopno pritiskom na tipku tab u unosu razgovora nakon svake zamjene.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Savjet: Ažurirajte više mjesta za varijable uzastopno pritiskom na tipku tab u unosu razgovora nakon svake zamjene.",
"Title": "Naslov", "Title": "Naslov",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Za pristup WebUI-u obratite se administratoru. Administratori mogu upravljati statusima korisnika s Admin panela.", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Za pristup WebUI-u obratite se administratoru. Administratori mogu upravljati statusima korisnika s Admin panela.",
"To add documents here, upload them to the \"Documents\" workspace first.": "Da biste ovdje dodali dokumente, prvo ih prenesite u radni prostor \"Dokumenti\".", "To add documents here, upload them to the \"Documents\" workspace first.": "Da biste ovdje dodali dokumente, prvo ih prenesite u radni prostor \"Dokumenti\".",
"to chat input.": "u unos razgovora.", "to chat input.": "u unos razgovora.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Danas", "Today": "Danas",
"Toggle settings": "Prebaci postavke", "Toggle settings": "Prebaci postavke",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Tip", "Type": "Tip",
"Type Hugging Face Resolve (Download) URL": "Upišite Hugging Face Resolve (Download) URL", "Type Hugging Face Resolve (Download) URL": "Upišite Hugging Face Resolve (Download) URL",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Pojavio se problem s povezivanjem na {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Pojavio se problem s povezivanjem na {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Nepoznata vrsta datoteke '{{file_type}}', ali prihvaćena i obrađuje se kao običan tekst", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Ažuriraj i kopiraj vezu", "Update and Copy Link": "Ažuriraj i kopiraj vezu",
"Update password": "Ažuriraj lozinku", "Update password": "Ažuriraj lozinku",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Učitaj GGUF model", "Upload a GGUF model": "Učitaj GGUF model",
"Upload Files": "Prijenos datoteka", "Upload Files": "Prijenos datoteka",
"Upload Pipeline": "Prijenos kanala", "Upload Pipeline": "Prijenos kanala",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "varijabla", "variable": "varijabla",
"variable to have them replaced with clipboard content.": "varijabla za zamjenu sadržajem međuspremnika.", "variable to have them replaced with clipboard content.": "varijabla za zamjenu sadržajem međuspremnika.",
"Version": "Verzija", "Version": "Verzija",
"Voice": "",
"Warning": "Upozorenje", "Warning": "Upozorenje",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Upozorenje: Ako ažurirate ili promijenite svoj model za umetanje, morat ćete ponovno uvesti sve dokumente.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Upozorenje: Ako ažurirate ili promijenite svoj model za umetanje, morat ćete ponovno uvesti sve dokumente.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Internet pretraga", "Web Search": "Internet pretraga",
"Web Search Engine": "Web tražilica", "Web Search Engine": "Web tražilica",
"Webhook URL": "URL webkuke", "Webhook URL": "URL webkuke",
"WebUI Add-ons": "Dodaci za WebUI",
"WebUI Settings": "WebUI postavke", "WebUI Settings": "WebUI postavke",
"WebUI will make requests to": "WebUI će slati zahtjeve na", "WebUI will make requests to": "WebUI će slati zahtjeve na",
"What’s New in": "Što je novo u", "What’s New in": "Što je novo u",
......
...@@ -42,6 +42,7 @@ ...@@ -42,6 +42,7 @@
"Allow": "Consenti", "Allow": "Consenti",
"Allow Chat Deletion": "Consenti l'eliminazione della chat", "Allow Chat Deletion": "Consenti l'eliminazione della chat",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow User Location": "",
"alphanumeric characters and hyphens": "caratteri alfanumerici e trattini", "alphanumeric characters and hyphens": "caratteri alfanumerici e trattini",
"Already have an account?": "Hai già un account?", "Already have an account?": "Hai già un account?",
"an assistant": "un assistente", "an assistant": "un assistente",
...@@ -81,6 +82,7 @@ ...@@ -81,6 +82,7 @@
"Capabilities": "Funzionalità", "Capabilities": "Funzionalità",
"Change Password": "Cambia password", "Change Password": "Cambia password",
"Chat": "Chat", "Chat": "Chat",
"Chat Background Image": "",
"Chat Bubble UI": "UI bolle chat", "Chat Bubble UI": "UI bolle chat",
"Chat direction": "Direzione chat", "Chat direction": "Direzione chat",
"Chat History": "Cronologia chat", "Chat History": "Cronologia chat",
...@@ -97,6 +99,7 @@ ...@@ -97,6 +99,7 @@
"Clear memory": "", "Clear memory": "",
"Click here for help.": "Clicca qui per aiuto.", "Click here for help.": "Clicca qui per aiuto.",
"Click here to": "Clicca qui per", "Click here to": "Clicca qui per",
"Click here to download user import template file.": "",
"Click here to select": "Clicca qui per selezionare", "Click here to select": "Clicca qui per selezionare",
"Click here to select a csv file.": "Clicca qui per selezionare un file csv.", "Click here to select a csv file.": "Clicca qui per selezionare un file csv.",
"Click here to select a py file.": "", "Click here to select a py file.": "",
...@@ -111,7 +114,9 @@ ...@@ -111,7 +114,9 @@
"ComfyUI Base URL is required.": "L'URL base ComfyUI è obbligatorio.", "ComfyUI Base URL is required.": "L'URL base ComfyUI è obbligatorio.",
"Command": "Comando", "Command": "Comando",
"Concurrent Requests": "Richieste simultanee", "Concurrent Requests": "Richieste simultanee",
"Confirm": "",
"Confirm Password": "Conferma password", "Confirm Password": "Conferma password",
"Confirm your action": "",
"Connections": "Connessioni", "Connections": "Connessioni",
"Contact Admin for WebUI Access": "", "Contact Admin for WebUI Access": "",
"Content": "Contenuto", "Content": "Contenuto",
...@@ -130,6 +135,8 @@ ...@@ -130,6 +135,8 @@
"Create new secret key": "Crea nuova chiave segreta", "Create new secret key": "Crea nuova chiave segreta",
"Created at": "Creato il", "Created at": "Creato il",
"Created At": "Creato il", "Created At": "Creato il",
"Created by": "",
"CSV Import": "",
"Current Model": "Modello corrente", "Current Model": "Modello corrente",
"Current Password": "Password corrente", "Current Password": "Password corrente",
"Custom": "Personalizzato", "Custom": "Personalizzato",
...@@ -151,6 +158,7 @@ ...@@ -151,6 +158,7 @@
"Delete All Chats": "Elimina tutte le chat", "Delete All Chats": "Elimina tutte le chat",
"Delete chat": "Elimina chat", "Delete chat": "Elimina chat",
"Delete Chat": "Elimina chat", "Delete Chat": "Elimina chat",
"Delete chat?": "",
"delete this link": "elimina questo link", "delete this link": "elimina questo link",
"Delete User": "Elimina utente", "Delete User": "Elimina utente",
"Deleted {{deleteModelTag}}": "Eliminato {{deleteModelTag}}", "Deleted {{deleteModelTag}}": "Eliminato {{deleteModelTag}}",
...@@ -224,6 +232,7 @@ ...@@ -224,6 +232,7 @@
"Export chat (.json)": "", "Export chat (.json)": "",
"Export Chats": "Esporta chat", "Export Chats": "Esporta chat",
"Export Documents Mapping": "Esporta mappatura documenti", "Export Documents Mapping": "Esporta mappatura documenti",
"Export Functions": "",
"Export Models": "Esporta modelli", "Export Models": "Esporta modelli",
"Export Prompts": "Esporta prompt", "Export Prompts": "Esporta prompt",
"Export Tools": "", "Export Tools": "",
...@@ -233,14 +242,18 @@ ...@@ -233,14 +242,18 @@
"Failed to update settings": "", "Failed to update settings": "",
"February": "Febbraio", "February": "Febbraio",
"Feel free to add specific details": "Sentiti libero/a di aggiungere dettagli specifici", "Feel free to add specific details": "Sentiti libero/a di aggiungere dettagli specifici",
"File": "",
"File Mode": "Modalità file", "File Mode": "Modalità file",
"File not found.": "File non trovato.", "File not found.": "File non trovato.",
"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.", "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.",
"Fluidly stream large external response chunks": "Trasmetti in modo fluido blocchi di risposta esterni di grandi dimensioni", "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", "Focus chat input": "Metti a fuoco l'input della chat",
"Followed instructions perfectly": "Ha seguito le istruzioni alla perfezione", "Followed instructions perfectly": "Ha seguito le istruzioni alla perfezione",
"Form": "",
"Format your variables using square brackets like this:": "Formatta le tue variabili usando parentesi quadre come questa:", "Format your variables using square brackets like this:": "Formatta le tue variabili usando parentesi quadre come questa:",
"Frequency Penalty": "Penalità di frequenza", "Frequency Penalty": "Penalità di frequenza",
"Functions": "",
"General": "Generale", "General": "Generale",
"General Settings": "Impostazioni generali", "General Settings": "Impostazioni generali",
"Generate Image": "", "Generate Image": "",
...@@ -254,6 +267,7 @@ ...@@ -254,6 +267,7 @@
"Hello, {{name}}": "Ciao, {{name}}", "Hello, {{name}}": "Ciao, {{name}}",
"Help": "Aiuto", "Help": "Aiuto",
"Hide": "Nascondi", "Hide": "Nascondi",
"Hide Model": "",
"How can I help you today?": "Come posso aiutarti oggi?", "How can I help you today?": "Come posso aiutarti oggi?",
"Hybrid Search": "Ricerca ibrida", "Hybrid Search": "Ricerca ibrida",
"Image Generation (Experimental)": "Generazione di immagini (sperimentale)", "Image Generation (Experimental)": "Generazione di immagini (sperimentale)",
...@@ -262,6 +276,7 @@ ...@@ -262,6 +276,7 @@
"Images": "Immagini", "Images": "Immagini",
"Import Chats": "Importa chat", "Import Chats": "Importa chat",
"Import Documents Mapping": "Importa mappatura documenti", "Import Documents Mapping": "Importa mappatura documenti",
"Import Functions": "",
"Import Models": "Importazione di modelli", "Import Models": "Importazione di modelli",
"Import Prompts": "Importa prompt", "Import Prompts": "Importa prompt",
"Import Tools": "", "Import Tools": "",
...@@ -354,6 +369,7 @@ ...@@ -354,6 +369,7 @@
"Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.", "Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.",
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ops! Aspetta! I tuoi file sono ancora in fase di elaborazione. Li stiamo cucinando alla perfezione. Per favore sii paziente e ti faremo sapere quando saranno pronti.", "Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ops! Aspetta! I tuoi file sono ancora in fase di elaborazione. Li stiamo cucinando alla perfezione. Per favore sii paziente e ti faremo sapere quando saranno pronti.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.",
"Oops! There was an error in the previous response. Please try again or contact admin.": "",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ops! Stai utilizzando un metodo non supportato (solo frontend). Si prega di servire la WebUI dal backend.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ops! Stai utilizzando un metodo non supportato (solo frontend). Si prega di servire la WebUI dal backend.",
"Open": "Apri", "Open": "Apri",
"Open AI": "Open AI", "Open AI": "Open AI",
...@@ -406,6 +422,7 @@ ...@@ -406,6 +422,7 @@
"Reranking Model": "Modello di riclassificazione", "Reranking Model": "Modello di riclassificazione",
"Reranking model disabled": "Modello di riclassificazione disabilitato", "Reranking model disabled": "Modello di riclassificazione disabilitato",
"Reranking model set to \"{{reranking_model}}\"": "Modello di riclassificazione impostato su \"{{reranking_model}}\"", "Reranking model set to \"{{reranking_model}}\"": "Modello di riclassificazione impostato su \"{{reranking_model}}\"",
"Reset": "",
"Reset Upload Directory": "", "Reset Upload Directory": "",
"Reset Vector Storage": "Reimposta archivio vettoriale", "Reset Vector Storage": "Reimposta archivio vettoriale",
"Response AutoCopy to Clipboard": "Copia automatica della risposta negli appunti", "Response AutoCopy to Clipboard": "Copia automatica della risposta negli appunti",
...@@ -425,6 +442,7 @@ ...@@ -425,6 +442,7 @@
"Search a model": "Cerca un modello", "Search a model": "Cerca un modello",
"Search Chats": "Cerca nelle chat", "Search Chats": "Cerca nelle chat",
"Search Documents": "Cerca documenti", "Search Documents": "Cerca documenti",
"Search Functions": "",
"Search Models": "Cerca modelli", "Search Models": "Cerca modelli",
"Search Prompts": "Cerca prompt", "Search Prompts": "Cerca prompt",
"Search Query Generation Prompt": "", "Search Query Generation Prompt": "",
...@@ -475,6 +493,7 @@ ...@@ -475,6 +493,7 @@
"short-summary": "riassunto-breve", "short-summary": "riassunto-breve",
"Show": "Mostra", "Show": "Mostra",
"Show Admin Details in Account Pending Overlay": "", "Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Mostra", "Show shortcuts": "Mostra",
"Showcased creativity": "Creatività messa in mostra", "Showcased creativity": "Creatività messa in mostra",
"sidebar": "barra laterale", "sidebar": "barra laterale",
...@@ -496,6 +515,7 @@ ...@@ -496,6 +515,7 @@
"System": "Sistema", "System": "Sistema",
"System Prompt": "Prompt di sistema", "System Prompt": "Prompt di sistema",
"Tags": "Tag", "Tags": "Tag",
"Tap to interrupt": "",
"Tavily API Key": "", "Tavily API Key": "",
"Tell us more:": "Raccontaci di più:", "Tell us more:": "Raccontaci di più:",
"Temperature": "Temperatura", "Temperature": "Temperatura",
...@@ -507,9 +527,11 @@ ...@@ -507,9 +527,11 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Il punteggio dovrebbe essere un valore compreso tra 0.0 (0%) e 1.0 (100%).", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Il punteggio dovrebbe essere un valore compreso tra 0.0 (0%) e 1.0 (100%).",
"Theme": "Tema", "Theme": "Tema",
"Thinking...": "", "Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ciò garantisce che le tue preziose conversazioni siano salvate in modo sicuro nel tuo database backend. Grazie!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ciò garantisce che le tue preziose conversazioni siano salvate in modo sicuro nel tuo database backend. Grazie!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This setting does not sync across browsers or devices.": "Questa impostazione non si sincronizza tra browser o dispositivi.", "This setting does not sync across browsers or devices.": "Questa impostazione non si sincronizza tra browser o dispositivi.",
"This will delete": "",
"Thorough explanation": "Spiegazione dettagliata", "Thorough explanation": "Spiegazione dettagliata",
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Suggerimento: aggiorna più slot di variabili consecutivamente premendo il tasto tab nell'input della chat dopo ogni sostituzione.", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Suggerimento: aggiorna più slot di variabili consecutivamente premendo il tasto tab nell'input della chat dopo ogni sostituzione.",
"Title": "Titolo", "Title": "Titolo",
...@@ -523,6 +545,7 @@ ...@@ -523,6 +545,7 @@
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
"To add documents here, upload them to the \"Documents\" workspace first.": "", "To add documents here, upload them to the \"Documents\" workspace first.": "",
"to chat input.": "all'input della chat.", "to chat input.": "all'input della chat.",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "", "To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Today": "Oggi", "Today": "Oggi",
"Toggle settings": "Attiva/disattiva impostazioni", "Toggle settings": "Attiva/disattiva impostazioni",
...@@ -538,10 +561,13 @@ ...@@ -538,10 +561,13 @@
"Type": "Digitare", "Type": "Digitare",
"Type Hugging Face Resolve (Download) URL": "Digita l'URL di Hugging Face Resolve (Download)", "Type Hugging Face Resolve (Download) URL": "Digita l'URL di Hugging Face Resolve (Download)",
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Si è verificato un problema durante la connessione a {{provider}}.", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Si è verificato un problema durante la connessione a {{provider}}.",
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Tipo di file sconosciuto '{{file_type}}', ma accettato e trattato come testo normale", "UI": "",
"Unknown file type '{{file_type}}'. Proceeding with the file upload anyway.": "",
"Update": "", "Update": "",
"Update and Copy Link": "Aggiorna e copia link", "Update and Copy Link": "Aggiorna e copia link",
"Update password": "Aggiorna password", "Update password": "Aggiorna password",
"Updated at": "",
"Upload": "",
"Upload a GGUF model": "Carica un modello GGUF", "Upload a GGUF model": "Carica un modello GGUF",
"Upload Files": "Carica file", "Upload Files": "Carica file",
"Upload Pipeline": "", "Upload Pipeline": "",
...@@ -560,6 +586,7 @@ ...@@ -560,6 +586,7 @@
"variable": "variabile", "variable": "variabile",
"variable to have them replaced with clipboard content.": "variabile per farli sostituire con il contenuto degli appunti.", "variable to have them replaced with clipboard content.": "variabile per farli sostituire con il contenuto degli appunti.",
"Version": "Versione", "Version": "Versione",
"Voice": "",
"Warning": "Avvertimento", "Warning": "Avvertimento",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Attenzione: se aggiorni o cambi il tuo modello di embedding, dovrai reimportare tutti i documenti.", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Attenzione: se aggiorni o cambi il tuo modello di embedding, dovrai reimportare tutti i documenti.",
"Web": "Web", "Web": "Web",
...@@ -569,7 +596,6 @@ ...@@ -569,7 +596,6 @@
"Web Search": "Ricerca sul Web", "Web Search": "Ricerca sul Web",
"Web Search Engine": "Motore di ricerca Web", "Web Search Engine": "Motore di ricerca Web",
"Webhook URL": "URL webhook", "Webhook URL": "URL webhook",
"WebUI Add-ons": "Componenti aggiuntivi WebUI",
"WebUI Settings": "Impostazioni WebUI", "WebUI Settings": "Impostazioni WebUI",
"WebUI will make requests to": "WebUI effettuerà richieste a", "WebUI will make requests to": "WebUI effettuerà richieste a",
"What’s New in": "Novità in", "What’s New in": "Novità in",
......
Markdown is supported
0% or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment