chore: format

This commit is contained in:
Timothy Jaeryang Baek 2024-11-16 23:46:12 -08:00
parent c24bc60d35
commit c338f2cae1
64 changed files with 2668 additions and 1212 deletions

View File

@ -32,7 +32,12 @@ from open_webui.config import (
)
from open_webui.constants import ERROR_MESSAGES
from open_webui.env import ENV, SRC_LOG_LEVELS, DEVICE_TYPE, ENABLE_FORWARD_USER_INFO_HEADERS
from open_webui.env import (
ENV,
SRC_LOG_LEVELS,
DEVICE_TYPE,
ENABLE_FORWARD_USER_INFO_HEADERS,
)
from fastapi import Depends, FastAPI, File, HTTPException, Request, UploadFile, status
from fastapi.middleware.cors import CORSMiddleware
@ -48,7 +53,11 @@ MAX_FILE_SIZE = MAX_FILE_SIZE_MB * 1024 * 1024 # Convert MB to bytes
log = logging.getLogger(__name__)
log.setLevel(SRC_LOG_LEVELS["AUDIO"])
app = FastAPI(docs_url="/docs" if ENV == "dev" else None, openapi_url="/openapi.json" if ENV == "dev" else None, redoc_url=None)
app = FastAPI(
docs_url="/docs" if ENV == "dev" else None,
openapi_url="/openapi.json" if ENV == "dev" else None,
redoc_url=None,
)
app.add_middleware(
CORSMiddleware,

View File

@ -48,7 +48,11 @@ log.setLevel(SRC_LOG_LEVELS["IMAGES"])
IMAGE_CACHE_DIR = Path(CACHE_DIR).joinpath("./image/generations/")
IMAGE_CACHE_DIR.mkdir(parents=True, exist_ok=True)
app = FastAPI(docs_url="/docs" if ENV == "dev" else None, openapi_url="/openapi.json" if ENV == "dev" else None, redoc_url=None)
app = FastAPI(
docs_url="/docs" if ENV == "dev" else None,
openapi_url="/openapi.json" if ENV == "dev" else None,
redoc_url=None,
)
app.add_middleware(
CORSMiddleware,

View File

@ -127,7 +127,11 @@ from langchain_core.documents import Document
log = logging.getLogger(__name__)
log.setLevel(SRC_LOG_LEVELS["RAG"])
app = FastAPI(docs_url="/docs" if ENV == "dev" else None, openapi_url="/openapi.json" if ENV == "dev" else None, redoc_url=None)
app = FastAPI(
docs_url="/docs" if ENV == "dev" else None,
openapi_url="/openapi.json" if ENV == "dev" else None,
redoc_url=None,
)
app.state.config = AppConfig()
@ -537,7 +541,7 @@ async def update_rag_config(form_data: ConfigUpdateForm, user=Depends(get_admin_
if form_data.web is not None:
app.state.config.ENABLE_RAG_WEB_LOADER_SSL_VERIFICATION = (
#Note: When UI "Bypass SSL verification for Websites"=True then ENABLE_RAG_WEB_LOADER_SSL_VERIFICATION=False
# Note: When UI "Bypass SSL verification for Websites"=True then ENABLE_RAG_WEB_LOADER_SSL_VERIFICATION=False
form_data.web.web_loader_ssl_verification
)
@ -1230,7 +1234,9 @@ def process_web_search(form_data: SearchForm, user=Depends(get_verified_user)):
urls = [result.link for result in web_results]
loader = get_web_loader(urls, verify_ssl=app.state.config.ENABLE_RAG_WEB_LOADER_SSL_VERIFICATION)
loader = get_web_loader(
urls, verify_ssl=app.state.config.ENABLE_RAG_WEB_LOADER_SSL_VERIFICATION
)
docs = loader.load()
save_docs_to_vector_db(docs, collection_name, overwrite=True)

View File

@ -27,7 +27,9 @@ class ChromaClient:
if CHROMA_CLIENT_AUTH_PROVIDER is not None:
settings_dict["chroma_client_auth_provider"] = CHROMA_CLIENT_AUTH_PROVIDER
if CHROMA_CLIENT_AUTH_CREDENTIALS is not None:
settings_dict["chroma_client_auth_credentials"] = CHROMA_CLIENT_AUTH_CREDENTIALS
settings_dict["chroma_client_auth_credentials"] = (
CHROMA_CLIENT_AUTH_CREDENTIALS
)
if CHROMA_HTTP_HOST != "":
self.client = chromadb.HttpClient(

View File

@ -7,9 +7,10 @@ from open_webui.config import (
OPENSEARCH_SSL,
OPENSEARCH_CERT_VERIFY,
OPENSEARCH_USERNAME,
OPENSEARCH_PASSWORD
OPENSEARCH_PASSWORD,
)
class OpenSearchClient:
def __init__(self):
self.index_prefix = "open_webui"
@ -25,10 +26,10 @@ class OpenSearchClient:
documents = []
metadatas = []
for hit in result['hits']['hits']:
ids.append(hit['_id'])
documents.append(hit['_source'].get("text"))
metadatas.append(hit['_source'].get("metadata"))
for hit in result["hits"]["hits"]:
ids.append(hit["_id"])
documents.append(hit["_source"].get("text"))
metadatas.append(hit["_source"].get("metadata"))
return GetResult(ids=ids, documents=documents, metadatas=metadatas)
@ -38,13 +39,15 @@ class OpenSearchClient:
documents = []
metadatas = []
for hit in result['hits']['hits']:
ids.append(hit['_id'])
distances.append(hit['_score'])
documents.append(hit['_source'].get("text"))
metadatas.append(hit['_source'].get("metadata"))
for hit in result["hits"]["hits"]:
ids.append(hit["_id"])
distances.append(hit["_score"])
documents.append(hit["_source"].get("text"))
metadatas.append(hit["_source"].get("metadata"))
return SearchResult(ids=ids, distances=distances, documents=documents, metadatas=metadatas)
return SearchResult(
ids=ids, distances=distances, documents=documents, metadatas=metadatas
)
def _create_index(self, index_name: str, dimension: int):
body = {
@ -52,20 +55,20 @@ class OpenSearchClient:
"properties": {
"id": {"type": "keyword"},
"vector": {
"type": "dense_vector",
"dims": dimension, # Adjust based on your vector dimensions
"index": true,
"similarity": "faiss",
"method": {
"type": "dense_vector",
"dims": dimension, # Adjust based on your vector dimensions
"index": true,
"similarity": "faiss",
"method": {
"name": "hnsw",
"space_type": "ip", # Use inner product to approximate cosine similarity
"engine": "faiss",
"ef_construction": 128,
"m": 16
}
"m": 16,
},
},
"text": {"type": "text"},
"metadata": {"type": "object"}
"metadata": {"type": "object"},
}
}
}
@ -73,19 +76,21 @@ class OpenSearchClient:
def _create_batches(self, items: list[VectorItem], batch_size=100):
for i in range(0, len(items), batch_size):
yield items[i:i + batch_size]
yield items[i : i + batch_size]
def has_collection(self, index_name: str) -> bool:
# has_collection here means has index.
# has_collection here means has index.
# We are simply adapting to the norms of the other DBs.
return self.client.indices.exists(index=f"{self.index_prefix}_{index_name}")
def delete_colleciton(self, index_name: str):
# delete_collection here means delete index.
# delete_collection here means delete index.
# We are simply adapting to the norms of the other DBs.
self.client.indices.delete(index=f"{self.index_prefix}_{index_name}")
def search(self, index_name: str, vectors: list[list[float]], limit: int) -> Optional[SearchResult]:
def search(
self, index_name: str, vectors: list[list[float]], limit: int
) -> Optional[SearchResult]:
query = {
"size": limit,
"_source": ["text", "metadata"],
@ -94,15 +99,16 @@ class OpenSearchClient:
"query": {"match_all": {}},
"script": {
"source": "cosineSimilarity(params.vector, 'vector') + 1.0",
"params": {"vector": vectors[0]} # Assuming single query vector
}
"params": {
"vector": vectors[0]
}, # Assuming single query vector
},
}
}
},
}
result = self.client.search(
index=f"{self.index_prefix}_{index_name}",
body=query
index=f"{self.index_prefix}_{index_name}", body=query
)
return self._result_to_search_result(result)
@ -112,12 +118,11 @@ class OpenSearchClient:
self._create_index(index_name, dimension)
def get(self, index_name: str) -> Optional[GetResult]:
query = {
"query": {"match_all": {}},
"_source": ["text", "metadata"]
}
query = {"query": {"match_all": {}}, "_source": ["text", "metadata"]}
result = self.client.search(index=f"{self.index_prefix}_{index_name}", body=query)
result = self.client.search(
index=f"{self.index_prefix}_{index_name}", body=query
)
return self._result_to_get_result(result)
def insert(self, index_name: str, items: list[VectorItem]):
@ -126,7 +131,16 @@ class OpenSearchClient:
for batch in self._create_batches(items):
actions = [
{"index": {"_id": item["id"], "_source": {"vector": item["vector"], "text": item["text"], "metadata": item["metadata"]}}}
{
"index": {
"_id": item["id"],
"_source": {
"vector": item["vector"],
"text": item["text"],
"metadata": item["metadata"],
},
}
}
for item in batch
]
self.client.bulk(actions)
@ -137,13 +151,25 @@ class OpenSearchClient:
for batch in self._create_batches(items):
actions = [
{"index": {"_id": item["id"], "_source": {"vector": item["vector"], "text": item["text"], "metadata": item["metadata"]}}}
{
"index": {
"_id": item["id"],
"_source": {
"vector": item["vector"],
"text": item["text"],
"metadata": item["metadata"],
},
}
}
for item in batch
]
self.client.bulk(actions)
def delete(self, index_name: str, ids: list[str]):
actions = [{"delete": {"_index": f"{self.index_prefix}_{index_name}", "_id": id}} for id in ids]
actions = [
{"delete": {"_index": f"{self.index_prefix}_{index_name}", "_id": id}}
for id in ids
]
self.client.bulk(body=actions)
def reset(self):

View File

@ -44,7 +44,9 @@ class PgvectorClient:
self.session = Session
else:
engine = create_engine(PGVECTOR_DB_URL, pool_pre_ping=True, poolclass=NullPool)
engine = create_engine(
PGVECTOR_DB_URL, pool_pre_ping=True, poolclass=NullPool
)
SessionLocal = sessionmaker(
autocommit=False, autoflush=False, bind=engine, expire_on_commit=False
)

View File

@ -15,10 +15,11 @@ class QdrantClient:
self.collection_prefix = "open-webui"
self.QDRANT_URI = QDRANT_URI
self.QDRANT_API_KEY = QDRANT_API_KEY
self.client = Qclient(
url=self.QDRANT_URI,
api_key=self.QDRANT_API_KEY
) if self.QDRANT_URI else None
self.client = (
Qclient(url=self.QDRANT_URI, api_key=self.QDRANT_API_KEY)
if self.QDRANT_URI
else None
)
def _result_to_get_result(self, points) -> GetResult:
ids = []

View File

@ -1,6 +1,5 @@
import logging
import os
import os
from pprint import pprint
from typing import Optional
import requests
@ -10,15 +9,22 @@ import argparse
log = logging.getLogger(__name__)
log.setLevel(SRC_LOG_LEVELS["RAG"])
'''
"""
Documentation: https://docs.microsoft.com/en-us/bing/search-apis/bing-web-search/overview
'''
"""
def search_bing(
subscription_key: str, endpoint: str, locale: str, query: str, count: int, filter_list: Optional[list[str]] = None
subscription_key: str,
endpoint: str,
locale: str,
query: str,
count: int,
filter_list: Optional[list[str]] = None,
) -> list[SearchResult]:
mkt = locale
params = { 'q': query, 'mkt': mkt, 'answerCount': count }
headers = { 'Ocp-Apim-Subscription-Key': subscription_key }
params = {"q": query, "mkt": mkt, "answerCount": count}
headers = {"Ocp-Apim-Subscription-Key": subscription_key}
try:
response = requests.get(endpoint, headers=headers, params=params)
@ -38,15 +44,30 @@ def search_bing(
except Exception as ex:
log.error(f"Error: {ex}")
raise ex
def main():
parser = argparse.ArgumentParser(description="Search Bing from the command line.")
parser.add_argument("query", type=str, default="Top 10 international news today", help="The search query.")
parser.add_argument("--count", type=int, default=10, help="Number of search results to return.")
parser.add_argument("--filter", nargs='*', help="List of filters to apply to the search results.")
parser.add_argument("--locale", type=str, default="en-US", help="The locale to use for the search, maps to market in api")
parser.add_argument(
"query",
type=str,
default="Top 10 international news today",
help="The search query.",
)
parser.add_argument(
"--count", type=int, default=10, help="Number of search results to return."
)
parser.add_argument(
"--filter", nargs="*", help="List of filters to apply to the search results."
)
parser.add_argument(
"--locale",
type=str,
default="en-US",
help="The locale to use for the search, maps to market in api",
)
args = parser.parse_args()
results = search_bing(args.locale, args.query, args.count, args.filter)
pprint(results)
pprint(results)

View File

@ -62,7 +62,6 @@ export const getGroups = async (token: string = '') => {
return res;
};
export const getGroupById = async (token: string, id: string) => {
let error = null;

View File

@ -2,9 +2,7 @@ import { WEBUI_API_BASE_URL, WEBUI_BASE_URL } from '$lib/constants';
export const getModels = async (token: string = '', base: boolean = false) => {
let error = null;
const res = await fetch(`${WEBUI_BASE_URL}/api/models${
base ? '/base' : ''
}`, {
const res = await fetch(`${WEBUI_BASE_URL}/api/models${base ? '/base' : ''}`, {
method: 'GET',
headers: {
Accept: 'application/json',
@ -21,7 +19,6 @@ export const getModels = async (token: string = '', base: boolean = false) => {
console.log(err);
return null;
});
if (error) {
throw error;

View File

@ -1,6 +1,11 @@
import { WEBUI_API_BASE_URL } from '$lib/constants';
export const createNewKnowledge = async (token: string, name: string, description: string, accessControl: null|object) => {
export const createNewKnowledge = async (
token: string,
name: string,
description: string,
accessControl: null | object
) => {
let error = null;
const res = await fetch(`${WEBUI_API_BASE_URL}/knowledge/create`, {
@ -131,7 +136,7 @@ type KnowledgeUpdateForm = {
name?: string;
description?: string;
data?: object;
access_control?: null|object;
access_control?: null | object;
};
export const updateKnowledgeById = async (token: string, id: string, form: KnowledgeUpdateForm) => {

View File

@ -1,6 +1,5 @@
import { WEBUI_API_BASE_URL } from '$lib/constants';
export const getModels = async (token: string = '') => {
let error = null;
@ -32,8 +31,6 @@ export const getModels = async (token: string = '') => {
return res;
};
export const getBaseModels = async (token: string = '') => {
let error = null;
@ -65,8 +62,6 @@ export const getBaseModels = async (token: string = '') => {
return res;
};
export const createNewModel = async (token: string, model: object) => {
let error = null;
@ -96,8 +91,6 @@ export const createNewModel = async (token: string, model: object) => {
return res;
};
export const getModelById = async (token: string, id: string) => {
let error = null;
@ -133,7 +126,6 @@ export const getModelById = async (token: string, id: string) => {
return res;
};
export const toggleModelById = async (token: string, id: string) => {
let error = null;
@ -169,7 +161,6 @@ export const toggleModelById = async (token: string, id: string) => {
return res;
};
export const updateModelById = async (token: string, id: string, model: object) => {
let error = null;

View File

@ -1,6 +1,5 @@
import { OLLAMA_API_BASE_URL } from '$lib/constants';
export const verifyOllamaConnection = async (
token: string = '',
url: string = '',
@ -8,21 +7,18 @@ export const verifyOllamaConnection = async (
) => {
let error = null;
const res = await fetch(
`${OLLAMA_API_BASE_URL}/verify`,
{
method: 'POST',
headers: {
Accept: 'application/json',
Authorization: `Bearer ${token}`,
'Content-Type': 'application/json',
},
body: JSON.stringify({
url,
key
})
}
)
const res = await fetch(`${OLLAMA_API_BASE_URL}/verify`, {
method: 'POST',
headers: {
Accept: 'application/json',
Authorization: `Bearer ${token}`,
'Content-Type': 'application/json'
},
body: JSON.stringify({
url,
key
})
})
.then(async (res) => {
if (!res.ok) throw await res.json();
return res.json();
@ -72,10 +68,10 @@ export const getOllamaConfig = async (token: string = '') => {
};
type OllamaConfig = {
ENABLE_OLLAMA_API: boolean,
OLLAMA_BASE_URLS: string[],
OLLAMA_API_CONFIGS: object
}
ENABLE_OLLAMA_API: boolean;
OLLAMA_BASE_URLS: string[];
OLLAMA_API_CONFIGS: object;
};
export const updateOllamaConfig = async (token: string = '', config: OllamaConfig) => {
let error = null;
@ -211,12 +207,10 @@ export const getOllamaVersion = async (token: string, urlIdx?: number) => {
return res?.version ?? false;
};
export const getOllamaModels = async (token: string = '', urlIdx: null|number = null) => {
export const getOllamaModels = async (token: string = '', urlIdx: null | number = null) => {
let error = null;
const res = await fetch(`${OLLAMA_API_BASE_URL}/api/tags${
urlIdx !== null ? `/${urlIdx}` : ''
}`, {
const res = await fetch(`${OLLAMA_API_BASE_URL}/api/tags${urlIdx !== null ? `/${urlIdx}` : ''}`, {
method: 'GET',
headers: {
Accept: 'application/json',

View File

@ -32,15 +32,12 @@ export const getOpenAIConfig = async (token: string = '') => {
return res;
};
type OpenAIConfig = {
ENABLE_OPENAI_API: boolean;
OPENAI_API_BASE_URLS: string[];
OPENAI_API_KEYS: string[];
OPENAI_API_CONFIGS: object;
}
};
export const updateOpenAIConfig = async (token: string = '', config: OpenAIConfig) => {
let error = null;
@ -109,7 +106,6 @@ export const getOpenAIUrls = async (token: string = '') => {
return res.OPENAI_API_BASE_URLS;
};
export const updateOpenAIUrls = async (token: string = '', urls: string[]) => {
let error = null;
@ -249,22 +245,18 @@ export const verifyOpenAIConnection = async (
) => {
let error = null;
const res = await fetch(
`${OPENAI_API_BASE_URL}/verify`,
{
method: 'POST',
headers: {
Accept: 'application/json',
Authorization: `Bearer ${token}`,
'Content-Type': 'application/json',
},
body: JSON.stringify({
url,
key
})
}
)
const res = await fetch(`${OPENAI_API_BASE_URL}/verify`, {
method: 'POST',
headers: {
Accept: 'application/json',
Authorization: `Bearer ${token}`,
'Content-Type': 'application/json'
},
body: JSON.stringify({
url,
key
})
})
.then(async (res) => {
if (!res.ok) throw await res.json();
return res.json();

View File

@ -1,19 +1,13 @@
import { WEBUI_API_BASE_URL } from '$lib/constants';
type PromptItem = {
command: string;
title: string;
content: string;
access_control: null|object;
}
access_control: null | object;
};
export const createNewPrompt = async (
token: string,
prompt: PromptItem
) => {
export const createNewPrompt = async (token: string, prompt: PromptItem) => {
let error = null;
const res = await fetch(`${WEBUI_API_BASE_URL}/prompts/create`, {
@ -25,7 +19,7 @@ export const createNewPrompt = async (
},
body: JSON.stringify({
...prompt,
command: `/${prompt.command}`,
command: `/${prompt.command}`
})
})
.then(async (res) => {
@ -76,7 +70,6 @@ export const getPrompts = async (token: string = '') => {
return res;
};
export const getPromptList = async (token: string = '') => {
let error = null;
@ -108,7 +101,6 @@ export const getPromptList = async (token: string = '') => {
return res;
};
export const getPromptByCommand = async (token: string, command: string) => {
let error = null;
@ -141,12 +133,7 @@ export const getPromptByCommand = async (token: string, command: string) => {
return res;
};
export const updatePromptByCommand = async (
token: string,
prompt: PromptItem
) => {
export const updatePromptByCommand = async (token: string, prompt: PromptItem) => {
let error = null;
const res = await fetch(`${WEBUI_API_BASE_URL}/prompts/command/${prompt.command}/update`, {
@ -158,7 +145,7 @@ export const updatePromptByCommand = async (
},
body: JSON.stringify({
...prompt,
command: `/${prompt.command}`,
command: `/${prompt.command}`
})
})
.then(async (res) => {

View File

@ -62,7 +62,6 @@ export const getTools = async (token: string = '') => {
return res;
};
export const getToolList = async (token: string = '') => {
let error = null;
@ -94,7 +93,6 @@ export const getToolList = async (token: string = '') => {
return res;
};
export const exportTools = async (token: string = '') => {
let error = null;

View File

@ -1,7 +1,6 @@
import { WEBUI_API_BASE_URL } from '$lib/constants';
import { getUserPosition } from '$lib/utils';
export const getUserGroups = async (token: string) => {
let error = null;
@ -29,8 +28,6 @@ export const getUserGroups = async (token: string) => {
return res;
};
export const getUserDefaultPermissions = async (token: string) => {
let error = null;

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "( `sh webui.sh --api`مثال)",
"(latest)": "(الأخير)",
"{{ models }}": "{{ نماذج }}",
"{{ owner }}: You cannot delete a base model": "{{ المالك }}: لا يمكنك حذف نموذج أساسي",
"{{user}}'s Chats": "دردشات {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} مطلوب",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "يتم استخدام نموذج المهمة عند تنفيذ مهام مثل إنشاء عناوين للدردشات واستعلامات بحث الويب",
"a user": "مستخدم",
"About": "عن",
"Accessible to all users": "",
"Account": "الحساب",
"Account Activation Pending": "",
"Accurate information": "معلومات دقيقة",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "أضافة مطالبة مخصصه",
"Add Files": "إضافة ملفات",
"Add Group": "",
"Add Memory": "إضافة ذكرايات",
"Add Model": "اضافة موديل",
"Add Tag": "",
"Add Tags": "اضافة تاق",
"Add text content": "",
"Add User": "اضافة مستخدم",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "سيؤدي ضبط هذه الإعدادات إلى تطبيق التغييرات بشكل عام على كافة المستخدمين",
"admin": "المشرف",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "المعلمات المتقدمة",
"All chats": "",
"All Documents": "جميع الملفات",
"Allow Chat Delete": "",
"Allow Chat Deletion": "يستطيع حذف المحادثات",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "مفاتيح واجهة برمجة التطبيقات",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "أبريل",
"Archive": "الأرشيف",
"Archive All Chats": "أرشفة جميع الدردشات",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "اتجاه المحادثة",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "المحادثات",
"Check Again": "تحقق مرة اخرى",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "مجموعة",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI الرابط الافتراضي",
"ComfyUI Base URL is required.": "ComfyUI الرابط مطلوب",
@ -178,10 +185,12 @@
"Copy Link": "أنسخ الرابط",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "تم النسخ إلى الحافظة بنجاح",
"Create": "",
"Create a knowledge base": "",
"Create a model": "إنشاء نموذج",
"Create Account": "إنشاء حساب",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "عمل مفتاح جديد",
"Create new secret key": "عمل سر جديد",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "(SentenceTransformers) الإفتراضي",
"Default Model": "النموذج الافتراضي",
"Default model updated": "الإفتراضي تحديث الموديل",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "الإفتراضي Prompt الاقتراحات",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "اكتشاف وتنزيل واستكشاف الإعدادات المسبقة للنموذج",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "اعرض اسم المستخدم بدلاً منك في الدردشة",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "تحميل",
"Download canceled": "تم اللغاء التحميل",
"Download Database": "تحميل قاعدة البيانات",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "أسقط أية ملفات هنا لإضافتها إلى المحادثة",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "e.g. '30s','10m'. الوحدات الزمنية الصالحة هي 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "تعديل",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "تعديل المستخدم",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "البريد",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "نماذج التصدير",
"Export Presets": "",
"Export Prompts": "مطالبات التصدير",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "استجابة جيدة",
"Google PSE API Key": "مفتاح واجهة برمجة تطبيقات PSE من Google",
"Google PSE Engine Id": "معرف محرك PSE من Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "الساعة:الدقائق صباحا/مساء",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": " {{name}} مرحبا",
"Help": "مساعدة",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "أخفاء",
"Hide Model": "",
"Host": "",
"How can I help you today?": "كيف استطيع مساعدتك اليوم؟",
"Hybrid Search": "البحث الهجين",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "استيراد النماذج",
"Import Presets": "",
"Import Prompts": "مطالبات الاستيراد",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "اختصارات لوحة المفاتيح",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "إدارة النماذج",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama إدارة موديلات ",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "إدارة خطوط الأنابيب",
"March": "مارس",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "لم يتم العثور على النموذج {{modelId}}.",
"Model {{modelName}} is not vision capable": "نموذج {{modelName}} غير قادر على الرؤية",
"Model {{name}} is now {{status}}": "نموذج {{name}} هو الآن {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "تم اكتشاف مسار نظام الملفات النموذجي. الاسم المختصر للنموذج مطلوب للتحديث، ولا يمكن الاستمرار.",
"Model Filtering": "",
"Model ID": "رقم الموديل",
"Model IDs": "",
"Model Name": "",
"Model not selected": "لم تختار موديل",
"Model Params": "معلمات النموذج",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "القائمة البيضاء للموديل",
"Model(s) Whitelisted": "القائمة البيضاء الموديل",
"Modelfile Content": "محتوى الملف النموذجي",
"Models": "الموديلات",
"Models Access": "",
"more": "",
"More": "المزيد",
"Move to Top": "",
"Name": "الأسم",
"Name your knowledge base": "",
"New Chat": "دردشة جديدة",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "لا توجد نتايج",
"No search query generated": "لم يتم إنشاء استعلام بحث",
"No source available": "لا يوجد مصدر متاح",
"No users were found.": "",
"No valves to update": "",
"None": "اي",
"Not factually correct": "ليس صحيحا من حيث الواقع",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "أولاما API",
"Ollama API disabled": "أولاما API معطلة",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama الاصدار",
"On": "تشغيل",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/مفتاح OpenAI.مطلوب عنوان ",
"or": "أو",
"Organize your users": "",
"Other": "آخر",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "{{error}} تم رفض الإذن عند الوصول إلى الميكروفون ",
"Permissions": "",
"Personalization": "التخصيص",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "صورة الملف الشخصي",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "موجه (على سبيل المثال: أخبرني بحقيقة ممتعة عن الإمبراطورية الرومانية)",
"Prompt Content": "محتوى عاجل",
"Prompt created successfully": "",
"Prompt suggestions": "اقتراحات سريعة",
"Prompt updated successfully": "",
"Prompts": "مطالبات",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com \"{{searchValue}}\" أسحب من ",
"Pull a model from Ollama.com": "Ollama.com سحب الموديل من ",
"Query Params": "Query Params",
@ -713,13 +743,12 @@
"Seed": "Seed",
"Select a base model": "حدد نموذجا أساسيا",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "أختار الموديل",
"Select a pipeline": "حدد مسارا",
"Select a pipeline url": "حدد عنوان URL لخط الأنابيب",
"Select a tool": "",
"Select an Ollama instance": "أختار سيرفر ",
"Select Engine": "",
"Select Knowledge": "",
"Select model": " أختار موديل",
@ -738,6 +767,7 @@
"Set as default": "الافتراضي",
"Set CFG Scale": "",
"Set Default Model": "تفعيد الموديل الافتراضي",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ضبط نموذج المتجهات (على سبيل المثال: {{model}})",
"Set Image Size": "حجم الصورة",
"Set reranking model (e.g. {{model}})": "ضبط نموذج إعادة الترتيب (على سبيل المثال: {{model}})",
@ -762,7 +792,6 @@
"Show": "عرض",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "إظهار الاختصارات",
"Show your support!": "",
"Showcased creativity": "أظهر الإبداع",
@ -792,7 +821,6 @@
"System": "النظام",
"System Instructions": "",
"System Prompt": "محادثة النظام",
"Tags": "الوسوم",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -854,15 +882,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -902,13 +930,13 @@
"URL Mode": "رابط الموديل",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gravatar أستخدم",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Initials أستخدم",
"use_mlock (Ollama)": "use_mlock (أولاما)",
"use_mmap (Ollama)": "use_mmap (أولاما)",
"user": "مستخدم",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "صلاحيات المستخدم",
"Username": "",
"Users": "المستخدمين",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -921,10 +949,12 @@
"variable to have them replaced with clipboard content.": "متغير لاستبدالها بمحتوى الحافظة.",
"Version": "إصدار",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "تحذير",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "تحذير: إذا قمت بتحديث أو تغيير نموذج التضمين الخاص بك، فستحتاج إلى إعادة استيراد كافة المستندات.",
"Web": "Web",
"Web API": "",
@ -945,6 +975,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "مساحة العمل",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "اكتب اقتراحًا سريعًا (على سبيل المثال، من أنت؟)",
"Write a summary in 50 words that summarizes [topic or keyword].": "اكتب ملخصًا في 50 كلمة يلخص [الموضوع أو الكلمة الرئيسية]",
"Write something...": "",
@ -953,8 +984,8 @@
"You": "انت",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "لا يمكنك استنساخ نموذج أساسي",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "لا تملك محادثات محفوظه",
"You have shared this chat": "تم مشاركة هذه المحادثة",
"You're a helpful assistant.": "مساعدك المفيد هنا",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(например `sh webui.sh --api`)",
"(latest)": "(последна)",
"{{ models }}": "{{ модели }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Не можете да изтриете базов модел",
"{{user}}'s Chats": "{{user}}'s чатове",
"{{webUIName}} Backend Required": "{{webUIName}} Изисква се Бекенд",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Моделът на задачите се използва при изпълнение на задачи като генериране на заглавия за чатове и заявки за търсене в мрежата",
"a user": "потребител",
"About": "Относно",
"Accessible to all users": "",
"Account": "Акаунт",
"Account Activation Pending": "",
"Accurate information": "Точни информация",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Добавяне на собствен промпт",
"Add Files": "Добавяне на Файлове",
"Add Group": "",
"Add Memory": "Добавяне на Памет",
"Add Model": "Добавяне на Модел",
"Add Tag": "",
"Add Tags": "добавяне на тагове",
"Add text content": "",
"Add User": "Добавяне на потребител",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "При промяна на тези настройки промените се прилагат за всички потребители.",
"admin": "админ",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "Разширени параметри",
"All chats": "",
"All Documents": "Всички Документи",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Позволи Изтриване на Чат",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API Ключове",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Април",
"Archive": "Архивирани Чатове",
"Archive All Chats": "Архив Всички чатове",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Направление на чата",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Чатове",
"Check Again": "Проверете Още Веднъж",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Колекция",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL е задължително.",
@ -178,10 +185,12 @@
"Copy Link": "Копиране на връзка",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Копирането в клипборда беше успешно!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Създаване на модел",
"Create Account": "Създаване на Акаунт",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Създаване на нов ключ",
"Create new secret key": "Създаване на нов секретен ключ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "По подразбиране (SentenceTransformers)",
"Default Model": "Модел по подразбиране",
"Default model updated": "Моделът по подразбиране е обновен",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Промпт Предложения по подразбиране",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Откриване, сваляне и преглед на пресетове на модели",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Показване на потребителското име вместо Вие в чата",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Изтегляне отменено",
"Download canceled": "Изтегляне отменено",
"Download Database": "Сваляне на база данни",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Пускане на файлове тук, за да ги добавите в чата",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "напр. '30с','10м'. Валидни единици са 'с', 'м', 'ч'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Редактиране",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Редактиране на потребител",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Имейл",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Експортиране на модели",
"Export Presets": "",
"Export Prompts": "Експортване на промптове",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Добра отговор",
"Google PSE API Key": "Google PSE API ключ",
"Google PSE Engine Id": "Идентификатор на двигателя на Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Здравей, {{name}}",
"Help": "Помощ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Скрий",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Как мога да ви помогна днес?",
"Hybrid Search": "Hybrid Search",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Импортиране на модели",
"Import Presets": "",
"Import Prompts": "Импортване на промптове",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Клавиши за бърз достъп",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Управление на Моделите",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Управление на Ollama Моделите",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Управление на тръбопроводи",
"March": "Март",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Моделът {{modelId}} не е намерен",
"Model {{modelName}} is not vision capable": "Моделът {{modelName}} не може да се вижда",
"Model {{name}} is now {{status}}": "Моделът {{name}} сега е {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Открит е път до файловата система на модела. За актуализацията се изисква съкратено име на модела, не може да продължи.",
"Model Filtering": "",
"Model ID": "ИД на модел",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Не е избран модел",
"Model Params": "Модел Params",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Модел Whitelisting",
"Model(s) Whitelisted": "Модели Whitelisted",
"Modelfile Content": "Съдържание на модфайл",
"Models": "Модели",
"Models Access": "",
"more": "",
"More": "Повече",
"Move to Top": "",
"Name": "Име",
"Name your knowledge base": "",
"New Chat": "Нов чат",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Няма намерени резултати",
"No search query generated": "Не е генерирана заявка за търсене",
"No source available": "Няма наличен източник",
"No users were found.": "",
"No valves to update": "",
"None": "Никой",
"Not factually correct": "Не е фактологически правилно",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API деактивиран",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama Версия",
"On": "Вкл.",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Key е задължителен.",
"or": "или",
"Organize your users": "",
"Other": "Other",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
"Permissions": "",
"Personalization": "Персонализация",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Профилна снимка",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр. Обмисли ме забавна факт за Римската империя)",
"Prompt Content": "Съдържание на промпта",
"Prompt created successfully": "",
"Prompt suggestions": "Промпт предложения",
"Prompt updated successfully": "",
"Prompts": "Промптове",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Извади \"{{searchValue}}\" от Ollama.com",
"Pull a model from Ollama.com": "Издърпайте модел от Ollama.com",
"Query Params": "Query Параметри",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Изберете базов модел",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Изберете модел",
"Select a pipeline": "Изберете тръбопровод",
"Select a pipeline url": "Избор на URL адрес на канал",
"Select a tool": "",
"Select an Ollama instance": "Изберете Ollama инстанция",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Изберете модел",
@ -734,6 +763,7 @@
"Set as default": "Задай по подразбиране",
"Set CFG Scale": "",
"Set Default Model": "Задай Модел По Подразбиране",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Задай embedding model (e.g. {{model}})",
"Set Image Size": "Задай Размер на Изображението",
"Set reranking model (e.g. {{model}})": "Задай reranking model (e.g. {{model}})",
@ -758,7 +788,6 @@
"Show": "Покажи",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Покажи",
"Show your support!": "",
"Showcased creativity": "Показана креативност",
@ -788,7 +817,6 @@
"System": "Система",
"System Instructions": "",
"System Prompt": "Системен Промпт",
"Tags": "Тагове",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL Mode",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Използвайте Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Използвайте Инициали",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "потребител",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Права на потребителя",
"Username": "",
"Users": "Потребители",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "променливи да се заменят съдържанието от клипборд.",
"Version": "Версия",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Предупреждение",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Ако актуализирате или промените вашия модел за вграждане, трябва да повторите импортирането на всички документи.",
"Web": "Уеб",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Работно пространство",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 знака, което описва [тема или ключова дума].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "вие",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "Не можете да клонирате базов модел",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Нямате архивирани разговори.",
"You have shared this chat": "Вие сте споделели този чат",
"You're a helpful assistant.": "Вие сте полезен асистент.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(যেমন `sh webui.sh --api`)",
"(latest)": "(সর্বশেষ)",
"{{ models }}": "{{ মডেল}}",
"{{ owner }}: You cannot delete a base model": "{{ owner}}: আপনি একটি বেস মডেল মুছতে পারবেন না",
"{{user}}'s Chats": "{{user}}র চ্যাটস",
"{{webUIName}} Backend Required": "{{webUIName}} ব্যাকএন্ড আবশ্যক",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "চ্যাট এবং ওয়েব অনুসন্ধান প্রশ্নের জন্য শিরোনাম তৈরি করার মতো কাজগুলি সম্পাদন করার সময় একটি টাস্ক মডেল ব্যবহার করা হয়",
"a user": "একজন ব্যাবহারকারী",
"About": "সম্পর্কে",
"Accessible to all users": "",
"Account": "একাউন্ট",
"Account Activation Pending": "",
"Accurate information": "সঠিক তথ্য",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "একটি কাস্টম প্রম্পট যোগ করুন",
"Add Files": "ফাইল যোগ করুন",
"Add Group": "",
"Add Memory": "মেমোরি যোগ করুন",
"Add Model": "মডেল যোগ করুন",
"Add Tag": "",
"Add Tags": "ট্যাগ যোগ করুন",
"Add text content": "",
"Add User": "ইউজার যোগ করুন",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "এই সেটিংগুলো পরিবর্তন করলে তা সব ইউজারের উপরেই প্রয়োগ করা হবে",
"admin": "এডমিন",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "অ্যাডভান্সড প্যারাম",
"All chats": "",
"All Documents": "সব ডকুমেন্ট",
"Allow Chat Delete": "",
"Allow Chat Deletion": "চ্যাট ডিলিট করতে দিন",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "এপিআই কোডস",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "আপ্রিল",
"Archive": "আর্কাইভ",
"Archive All Chats": "আর্কাইভ করুন সকল চ্যাট",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "চ্যাট দিকনির্দেশ",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "চ্যাটসমূহ",
"Check Again": "আবার চেক করুন",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "সংগ্রহ",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL আবশ্যক।",
@ -178,10 +185,12 @@
"Copy Link": "লিংক কপি করুন",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "ক্লিপবোর্ডে কপি করা সফল হয়েছে",
"Create": "",
"Create a knowledge base": "",
"Create a model": "একটি মডেল তৈরি করুন",
"Create Account": "একাউন্ট তৈরি করুন",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "একটি নতুন কী তৈরি করুন",
"Create new secret key": "একটি নতুন সিক্রেট কী তৈরি করুন",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "ডিফল্ট (SentenceTransformers)",
"Default Model": "ডিফল্ট মডেল",
"Default model updated": "ডিফল্ট মডেল আপডেট হয়েছে",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "ডিফল্ট প্রম্পট সাজেশন",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "মডেল প্রিসেটগুলো আবিস্কার, ডাউনলোড এবং এক্সপ্লোর করুন",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "চ্যাটে 'আপনি'-র পরবর্তে ইউজারনেম দেখান",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ডাউনলোড",
"Download canceled": "ডাউনলোড বাতিল করা হয়েছে",
"Download Database": "ডেটাবেজ ডাউনলোড করুন",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "আলোচনায় যুক্ত করার জন্য যে কোন ফাইল এখানে ড্রপ করুন",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "যেমন '30s','10m'. সময়ের অনুমোদিত অনুমোদিত এককগুলি হচ্ছে 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "এডিট করুন",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "ইউজার এডিট করুন",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "ইমেইল",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "রপ্তানি মডেল",
"Export Presets": "",
"Export Prompts": "প্রম্পটগুলো একপোর্ট করুন",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "ভালো সাড়া",
"Google PSE API Key": "গুগল পিএসই এপিআই কী",
"Google PSE Engine Id": "গুগল পিএসই ইঞ্জিন আইডি",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "হ্যালো, {{name}}",
"Help": "সহায়তা",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "লুকান",
"Hide Model": "",
"Host": "",
"How can I help you today?": "আপনাকে আজ কিভাবে সাহায্য করতে পারি?",
"Hybrid Search": "হাইব্রিড অনুসন্ধান",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "মডেল আমদানি করুন",
"Import Presets": "",
"Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "কিবোর্ড শর্টকাটসমূহ",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "মডেলসমূহ ব্যবস্থাপনা করুন",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama মডেলসূহ ব্যবস্থাপনা করুন",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "পাইপলাইন পরিচালনা করুন",
"March": "মার্চ",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "{{modelId}} মডেল পাওয়া যায়নি",
"Model {{modelName}} is not vision capable": "মডেল {{modelName}} দৃষ্টি সক্ষম নয়",
"Model {{name}} is now {{status}}": "মডেল {{name}} এখন {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "মডেল ফাইলসিস্টেম পাথ পাওয়া গেছে। আপডেটের জন্য মডেলের শর্টনেম আবশ্যক, এগিয়ে যাওয়া যাচ্ছে না।",
"Model Filtering": "",
"Model ID": "মডেল ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "মডেল নির্বাচন করা হয়নি",
"Model Params": "মডেল প্যারাম",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "মডেল হোয়াইটলিস্টিং",
"Model(s) Whitelisted": "হোয়াইটলিস্টেড মডেল(সমূহ)",
"Modelfile Content": "মডেলফাইল কনটেন্ট",
"Models": "মডেলসমূহ",
"Models Access": "",
"more": "",
"More": "আরো",
"Move to Top": "",
"Name": "নাম",
"Name your knowledge base": "",
"New Chat": "নতুন চ্যাট",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "কোন ফলাফল পাওয়া যায়নি",
"No search query generated": "কোনও অনুসন্ধান ক্যোয়ারী উত্পন্ন হয়নি",
"No source available": "কোন উৎস পাওয়া যায়নি",
"No users were found.": "",
"No valves to update": "",
"None": "কোনোটিই নয়",
"Not factually correct": "তথ্যগত দিক থেকে সঠিক নয়",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API নিষ্ক্রিয় করা হয়েছে",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama ভার্সন",
"On": "চালু",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Key আবশ্যক",
"or": "অথবা",
"Organize your users": "",
"Other": "অন্যান্য",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "মাইক্রোফোন ব্যবহারের অনুমতি পাওয়া যায়নি: {{error}}",
"Permissions": "",
"Personalization": "ডিজিটাল বাংলা",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "প্রোফাইল ইমেজ",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "প্রম্প্ট (উদাহরণস্বরূপ, আমি রোমান ইমপার্টের সম্পর্কে একটি উপস্থিতি জানতে বল)",
"Prompt Content": "প্রম্পট কন্টেন্ট",
"Prompt created successfully": "",
"Prompt suggestions": "প্রম্পট সাজেশনসমূহ",
"Prompt updated successfully": "",
"Prompts": "প্রম্পটসমূহ",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com থেকে \"{{searchValue}}\" টানুন",
"Pull a model from Ollama.com": "Ollama.com থেকে একটি টেনে আনুন আনুন",
"Query Params": "Query প্যারামিটারসমূহ",
@ -709,13 +739,12 @@
"Seed": "সীড",
"Select a base model": "একটি বেস মডেল নির্বাচন করুন",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "একটি মডেল নির্বাচন করুন",
"Select a pipeline": "একটি পাইপলাইন নির্বাচন করুন",
"Select a pipeline url": "একটি পাইপলাইন URL নির্বাচন করুন",
"Select a tool": "",
"Select an Ollama instance": "একটি Ollama ইন্সট্যান্স নির্বাচন করুন",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "মডেল নির্বাচন করুন",
@ -734,6 +763,7 @@
"Set as default": "ডিফল্ট হিসেবে নির্ধারণ করুন",
"Set CFG Scale": "",
"Set Default Model": "ডিফল্ট মডেল নির্ধারণ করুন",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ইমেম্বিং মডেল নির্ধারণ করুন (উদাহরণ {{model}})",
"Set Image Size": "ছবির সাইজ নির্ধারণ করুন",
"Set reranking model (e.g. {{model}})": "রি-র্যাংকিং মডেল নির্ধারণ করুন (উদাহরণ {{model}})",
@ -758,7 +788,6 @@
"Show": "দেখান",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "শর্টকাটগুলো দেখান",
"Show your support!": "",
"Showcased creativity": "সৃজনশীলতা প্রদর্শন",
@ -788,7 +817,6 @@
"System": "সিস্টেম",
"System Instructions": "",
"System Prompt": "সিস্টেম প্রম্পট",
"Tags": "ট্যাগসমূহ",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "ইউআরএল মোড",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gravatar ব্যবহার করুন",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "নামের আদ্যক্ষর ব্যবহার করুন",
"use_mlock (Ollama)": "use_mlock (ওলামা)",
"use_mmap (Ollama)": "use_mmap (ওলামা)",
"user": "ব্যবহারকারী",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "ইউজার পারমিশনসমূহ",
"Username": "",
"Users": "ব্যাবহারকারীগণ",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "ক্লিপবোর্ডের কন্টেন্ট দিয়ে যেই ভেরিয়েবল রিপ্লেস করা যাবে।",
"Version": "ভার্সন",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "সতর্কীকরণ",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "সতর্কীকরণ: আপনি যদি আপনার এম্বেডিং মডেল আপডেট বা পরিবর্তন করেন, তাহলে আপনাকে সমস্ত নথি পুনরায় আমদানি করতে হবে।.",
"Web": "ওয়েব",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "ওয়ার্কস্পেস",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "একটি প্রম্পট সাজেশন লিখুন (যেমন Who are you?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "৫০ শব্দের মধ্যে [topic or keyword] এর একটি সারসংক্ষেপ লিখুন।",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "আপনি",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "আপনি একটি বেস মডেল ক্লোন করতে পারবেন না",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "আপনার কোনও আর্কাইভ করা কথোপকথন নেই।",
"You have shared this chat": "আপনি এই চ্যাটটি শেয়ার করেছেন",
"You're a helpful assistant.": "আপনি একজন উপকারী এসিস্ট্যান্ট",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(p. ex. `sh webui.sh --api`)",
"(latest)": "(últim)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: No es pot eliminar un model base",
"{{user}}'s Chats": "Els xats de {{user}}",
"{{webUIName}} Backend Required": "El Backend de {{webUIName}} és necessari",
"*Prompt node ID(s) are required for image generation": "*Els identificadors de nodes d'indicacions són necessaris per a la generació d'imatges",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de tasca s'utilitza quan es realitzen tasques com ara generar títols per a xats i consultes de cerca per a la web",
"a user": "un usuari",
"About": "Sobre",
"Accessible to all users": "",
"Account": "Compte",
"Account Activation Pending": "Activació del compte pendent",
"Accurate information": "Informació precisa",
@ -28,12 +28,14 @@
"Add content here": "Afegir contingut aquí",
"Add custom prompt": "Afegir una indicació personalitzada",
"Add Files": "Afegir arxius",
"Add Group": "",
"Add Memory": "Afegir memòria",
"Add Model": "Afegir un model",
"Add Tag": "Afegir etiqueta",
"Add Tags": "Afegir etiquetes",
"Add text content": "Afegir contingut de text",
"Add User": "Afegir un usuari",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Si ajustes aquesta preferència, els canvis s'aplicaran de manera universal a tots els usuaris.",
"admin": "administrador",
"Admin": "Administrador",
@ -44,8 +46,10 @@
"Advanced Params": "Paràmetres avançats",
"All chats": "Tots els xats",
"All Documents": "Tots els documents",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permetre la supressió del xat",
"Allow Chat Editing": "Permetre l'edició del xat",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Permetre veus no locals",
"Allow Temporary Chat": "Permetre el xat temporal",
"Allow User Location": "Permetre la ubicació de l'usuari",
@ -62,6 +66,7 @@
"API keys": "Claus de l'API",
"Application DN": "DN d'aplicació",
"Application DN Password": "Contrasenya del DN d'aplicació",
"applies to all users with the \"user\" role": "",
"April": "Abril",
"Archive": "Arxiu",
"Archive All Chats": "Arxiva tots els xats",
@ -115,6 +120,7 @@
"Chat Controls": "Controls de xat",
"Chat direction": "Direcció del xat",
"Chat Overview": "Vista general del xat",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Generació automàtica d'etiquetes del xat",
"Chats": "Xats",
"Check Again": "Comprovar-ho de nou",
@ -145,6 +151,7 @@
"Code execution": "Execució de codi",
"Code formatted successfully": "Codi formatat correctament",
"Collection": "Col·lecció",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL base de ComfyUI",
"ComfyUI Base URL is required.": "L'URL base de ComfyUI és obligatòria.",
@ -178,10 +185,12 @@
"Copy Link": "Copiar l'enllaç",
"Copy to clipboard": "Copiar al porta-retalls",
"Copying to clipboard was successful!": "La còpia al porta-retalls s'ha realitzat correctament",
"Create": "",
"Create a knowledge base": "Crear una base de coneixement",
"Create a model": "Crear un model",
"Create Account": "Crear un compte",
"Create Admin Account": "Crear un compte d'Administrador",
"Create Group": "",
"Create Knowledge": "Crear Coneixement",
"Create new key": "Crear una nova clau",
"Create new secret key": "Crear una nova clau secreta",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Per defecte (SentenceTransformers)",
"Default Model": "Model per defecte",
"Default model updated": "Model per defecte actualitzat",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Suggeriments d'indicació per defecte",
"Default to 389 or 636 if TLS is enabled": "Per defecte 389 o 636 si TLS està habilitat",
"Default to ALL": "Per defecte TOTS",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Descobrir, descarregar i explorar eines personalitzades",
"Discover, download, and explore model presets": "Descobrir, descarregar i explorar models preconfigurats",
"Dismissible": "Descartable",
"Display": "",
"Display Emoji in Call": "Mostrar emojis a la trucada",
"Display the username instead of You in the Chat": "Mostrar el nom d'usuari en lloc de 'Tu' al xat",
"Dive into knowledge": "Aprofundir en el coneixement",
@ -250,20 +262,23 @@
"Download": "Descarregar",
"Download canceled": "Descàrrega cancel·lada",
"Download Database": "Descarregar la base de dades",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Dibuixar",
"Drop any files here to add to the conversation": "Deixa qualsevol arxiu aquí per afegir-lo a la conversa",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p. ex. '30s','10m'. Les unitats de temps vàlides són 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text",
"e.g. A toolkit for performing various operations": "p. ex. Una eina per dur a terme operacions variades",
"e.g. My Filter": "p. ex. El meu filtre",
"e.g. My ToolKit": "p. ex. La meva caixa d'eines",
"e.g. My Tools": "",
"e.g. my_filter": "p. ex. els_meus_filtres",
"e.g. my_toolkit": "p. ex. la_meva_caixa_d_eines",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Editar",
"Edit Arena Model": "Editar model de l'Arena",
"Edit Connection": "Editar la connexió",
"Edit Default Permissions": "",
"Edit Memory": "Editar la memòria",
"Edit User": "Editar l'usuari",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Correu electrònic",
"Embark on adventures": "Embarcar en aventures",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exportar la configuració a un arxiu JSON",
"Export Functions": "Exportar funcions",
"Export Models": "Exportar els models",
"Export Presets": "",
"Export Prompts": "Exportar les indicacions",
"Export to CSV": "Exportar a CSV",
"Export Tools": "Exportar les eines",
@ -409,6 +425,11 @@
"Good Response": "Bona resposta",
"Google PSE API Key": "Clau API PSE de Google",
"Google PSE Engine Id": "Identificador del motor PSE de Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "Grups",
"h:mm a": "h:mm a",
"Haptic Feedback": "Retorn hàptic",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hola, {{name}}",
"Help": "Ajuda",
"Help us create the best community leaderboard by sharing your feedback history!": "Ajuda'ns a crear la millor taula de classificació de la comunitat compartint el teu historial de comentaris!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Amaga",
"Hide Model": "Amagar el model",
"Host": "Servidor",
"How can I help you today?": "Com et puc ajudar avui?",
"Hybrid Search": "Cerca híbrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importar la configuració des d'un arxiu JSON",
"Import Functions": "Importar funcions",
"Import Models": "Importar models",
"Import Presets": "",
"Import Prompts": "Importar indicacions",
"Import Tools": "Importar eines",
"Include": "Incloure",
@ -458,6 +481,7 @@
"Key": "Clau",
"Keyboard shortcuts": "Dreceres de teclat",
"Knowledge": "Coneixement",
"Knowledge Access": "",
"Knowledge created successfully.": "Coneixement creat correctament.",
"Knowledge deleted successfully.": "Coneixement eliminat correctament.",
"Knowledge reset successfully.": "Coneixement restablert correctament.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Assegura't d'exportar un fitxer workflow.json com a format API des de ComfyUI.",
"Manage": "Gestionar",
"Manage Arena Models": "Gestionar els models de l'Arena",
"Manage Models": "Gestionar els models",
"Manage Ollama": "",
"Manage Ollama API Connections": "Gestionar les connexions a l'API d'Ollama",
"Manage Ollama Models": "Gestionar els models Ollama",
"Manage OpenAI API Connections": "Gestionar les connexions a l'API d'OpenAI",
"Manage Pipelines": "Gestionar les Pipelines",
"March": "Març",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "No s'ha trobat el model {{modelId}}",
"Model {{modelName}} is not vision capable": "El model {{modelName}} no és capaç de visió",
"Model {{name}} is now {{status}}": "El model {{name}} ara és {{status}}",
"Model {{name}} is now at the top": "El model {{name}} està ara a dalt de tot",
"Model accepts image inputs": "El model accepta entrades d'imatge",
"Model created successfully!": "Model creat correctament",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "S'ha detectat el camí del sistema de fitxers del model. És necessari un nom curt del model per actualitzar, no es pot continuar.",
"Model Filtering": "",
"Model ID": "Identificador del model",
"Model IDs": "Identificadors del model",
"Model Name": "Nom del model",
"Model not selected": "Model no seleccionat",
"Model Params": "Paràmetres del model",
"Model Permissions": "",
"Model updated successfully": "Model actualitzat correctament",
"Model Whitelisting": "Llista blanca de models",
"Model(s) Whitelisted": "Model(s) a la llista blanca",
"Modelfile Content": "Contingut del Modelfile",
"Models": "Models",
"Models Access": "",
"more": "més",
"More": "Més",
"Move to Top": "Moure a dalt de tot",
"Name": "Nom",
"Name your knowledge base": "Anomena la teva base de coneixement",
"New Chat": "Nou xat",
@ -549,12 +571,15 @@
"No feedbacks found": "No s'han trobat comentaris",
"No file selected": "No s'ha escollit cap fitxer",
"No files found.": "No s'han trobat arxius.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "No s'ha trobat contingut HTML, CSS o JavaScript.",
"No knowledge found": "No s'ha trobat Coneixement",
"No model IDs": "",
"No models found": "No s'han trobat models",
"No results found": "No s'han trobat resultats",
"No search query generated": "No s'ha generat cap consulta",
"No source available": "Sense font disponible",
"No users were found.": "",
"No valves to update": "No hi ha cap Valve per actualitzar",
"None": "Cap",
"Not factually correct": "No és clarament correcte",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API d'Ollama",
"Ollama API disabled": "API d'Ollama desactivada",
"Ollama API is disabled": "L'API d'Ollama està desactivada",
"Ollama API settings updated": "La configuració de l'API d'Ollama s'ha actualitzat",
"Ollama Version": "Versió d'Ollama",
"On": "Activat",
"Only alphanumeric characters and hyphens are allowed": "Només es permeten caràcters alfanumèrics i guions",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la comanda.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Només es poden editar col·leccions, crea una nova base de coneixement per editar/afegir documents.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que l'URL no és vàlida. Si us plau, revisa-la i torna-ho a provar.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Ui! Encara hi ha fitxers pujant-se. Si us plau, espera que finalitzi la càrrega.",
"Oops! There was an error in the previous response.": "Ui! Hi ha hagut un error a la resposta anterior.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "Configuració de l'API d'OpenAI actualitzada",
"OpenAI URL/Key required.": "URL/Clau d'OpenAI requerides.",
"or": "o",
"Organize your users": "",
"Other": "Altres",
"OUTPUT": "SORTIDA",
"Output format": "Format de sortida",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Permís denegat en accedir a dispositius multimèdia",
"Permission denied when accessing microphone": "Permís denegat en accedir al micròfon",
"Permission denied when accessing microphone: {{error}}": "Permís denegat en accedir al micròfon: {{error}}",
"Permissions": "",
"Personalization": "Personalització",
"Pin": "Fixar",
"Pinned": "Fixat",
@ -633,8 +660,11 @@
"Profile Image": "Imatge de perfil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicació (p.ex. Digues-me quelcom divertit sobre l'Imperi Romà)",
"Prompt Content": "Contingut de la indicació",
"Prompt created successfully": "",
"Prompt suggestions": "Suggeriments d'indicacions",
"Prompt updated successfully": "",
"Prompts": "Indicacions",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Obtenir \"{{searchValue}}\" de Ollama.com",
"Pull a model from Ollama.com": "Obtenir un model d'Ollama.com",
"Query Params": "Paràmetres de consulta",
@ -710,13 +740,12 @@
"Seed": "Llavor",
"Select a base model": "Seleccionar un model base",
"Select a engine": "Seleccionar un motor",
"Select a file to view or drag and drop a file to upload": "Seleccionar un arxiu o arrossegar un arxiu a pujar",
"Select a function": "Seleccionar una funció",
"Select a group": "",
"Select a model": "Seleccionar un model",
"Select a pipeline": "Seleccionar una Pipeline",
"Select a pipeline url": "Seleccionar l'URL d'una Pipeline",
"Select a tool": "Seleccionar una eina",
"Select an Ollama instance": "Seleccionar una instància d'Ollama",
"Select Engine": "Seleccionar el motor",
"Select Knowledge": "Seleccionar coneixement",
"Select model": "Seleccionar un model",
@ -735,6 +764,7 @@
"Set as default": "Establir com a predeterminat",
"Set CFG Scale": "Establir l'escala CFG",
"Set Default Model": "Establir el model predeterminat",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Establir el model d'incrustació (p.ex. {{model}})",
"Set Image Size": "Establir la mida de la image",
"Set reranking model (e.g. {{model}})": "Establir el model de reavaluació (p.ex. {{model}})",
@ -759,7 +789,6 @@
"Show": "Mostrar",
"Show \"What's New\" modal on login": "Veure 'Què hi ha de nou' a l'entrada",
"Show Admin Details in Account Pending Overlay": "Mostrar els detalls de l'administrador a la superposició del compte pendent",
"Show Model": "Mostrar el model",
"Show shortcuts": "Mostrar dreceres",
"Show your support!": "Mostra el teu suport!",
"Showcased creativity": "Creativitat mostrada",
@ -789,7 +818,6 @@
"System": "Sistema",
"System Instructions": "Instruccions de sistema",
"System Prompt": "Indicació del Sistema",
"Tags": "Etiquetes",
"Tags Generation Prompt": "Indicació per a la generació d'etiquetes",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "El mostreig sense cua s'utilitza per reduir l'impacte de tokens menys probables de la sortida. Un valor més alt (p. ex., 2,0) reduirà més l'impacte, mentre que un valor d'1,0 desactiva aquesta configuració. (per defecte: 1)",
"Tap to interrupt": "Prem per interrompre",
@ -851,15 +879,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens a mantenir en l'actualització del context (num_keep)",
"Too verbose": "Massa explicit",
"Tool": "Eina",
"Tool created successfully": "Eina creada correctament",
"Tool deleted successfully": "Eina eliminada correctament",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Eina importada correctament",
"Tool Name": "",
"Tool updated successfully": "Eina actualitzada correctament",
"Toolkit Description": "Descripció de la Caixa d'eines",
"Toolkit ID": "Identificador de la Caixa d'eines",
"Toolkit Name": "Nom de la Caixa d'eines",
"Tools": "Eines",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Les eines són un sistema de crida a funcions amb execució de codi arbitrari",
"Tools have a function calling system that allows arbitrary code execution": "Les eines disposen d'un sistema de crida a funcions que permet execució de codi arbitrari",
"Tools have a function calling system that allows arbitrary code execution.": "Les eines disposen d'un sistema de crida a funcions que permet execució de codi arbitrari.",
@ -899,13 +927,13 @@
"URL Mode": "Mode URL",
"Use '#' in the prompt input to load and include your knowledge.": "Utilitza '#' a l'entrada de la indicació per carregar i incloure els teus coneixements.",
"Use Gravatar": "Utilitzar Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Utilitzar inicials",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "usuari",
"User": "Usuari",
"User location successfully retrieved.": "Ubicació de l'usuari obtinguda correctament",
"User Permissions": "Permisos d'usuari",
"Username": "Nom d'usuari",
"Users": "Usuaris",
"Using the default arena model with all models. Click the plus button to add custom models.": "S'utilitza el model d'Arena predeterminat amb tots els models. Clica el botó més per afegir models personalitzats.",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variable per tenir-les reemplaçades amb el contingut del porta-retalls.",
"Version": "Versió",
"Version {{selectedVersion}} of {{totalVersions}}": "Versió {{selectedVersion}} de {{totalVersions}}",
"Visibility": "",
"Voice": "Veu",
"Voice Input": "Entrada de veu",
"Warning": "Avís",
"Warning:": "Avís:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avís: Si s'actualitza o es canvia el model d'incrustació, s'hauran de tornar a importar tots els documents.",
"Web": "Web",
"Web API": "Web API",
@ -942,6 +972,7 @@
"Won": "Ha guanyat",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "Funciona juntament amb top-k. Un valor més alt (p. ex., 0,95) donarà lloc a un text més divers, mentre que un valor més baix (p. ex., 0,5) generarà un text més concentrat i conservador. (Per defecte: 0,9)",
"Workspace": "Espai de treball",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Escriu una suggerència d'indicació (p. ex. Qui ets?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escriu un resum en 50 paraules que resumeixi [tema o paraula clau].",
"Write something...": "Escriu quelcom...",
@ -950,8 +981,8 @@
"You": "Tu",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Només pots xatejar amb un màxim de {{maxCount}} fitxers alhora.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Pots personalitzar les teves interaccions amb els models de llenguatge afegint memòries mitjançant el botó 'Gestiona' que hi ha a continuació, fent-les més útils i adaptades a tu.",
"You cannot clone a base model": "No es pot clonar un model base",
"You cannot upload an empty file.": "No es pot pujar un ariux buit.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "No tens converses arxivades.",
"You have shared this chat": "Has compartit aquest xat",
"You're a helpful assistant.": "Ets un assistent útil.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(pananglitan `sh webui.sh --api`)",
"(latest)": "",
"{{ models }}": "",
"{{ owner }}: You cannot delete a base model": "",
"{{user}}'s Chats": "",
"{{webUIName}} Backend Required": "Backend {{webUIName}} gikinahanglan",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
"a user": "usa ka user",
"About": "Mahitungod sa",
"Accessible to all users": "",
"Account": "Account",
"Account Activation Pending": "",
"Accurate information": "",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Pagdugang og custom prompt",
"Add Files": "Idugang ang mga file",
"Add Group": "",
"Add Memory": "",
"Add Model": "",
"Add Tag": "",
"Add Tags": "idugang ang mga tag",
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ang pag-adjust niini nga mga setting magamit ang mga pagbag-o sa tanan nga tiggamit.",
"admin": "Administrator",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "",
"All chats": "",
"All Documents": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tugoti nga mapapas ang mga chat",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "",
"Archive": "",
"Archive All Chats": "",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Mga panaghisgot",
"Check Again": "Susiha pag-usab",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Koleksyon",
"Color": "",
"ComfyUI": "",
"ComfyUI Base URL": "",
"ComfyUI Base URL is required.": "",
@ -178,10 +185,12 @@
"Copy Link": "",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Ang pagkopya sa clipboard malampuson!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "",
"Create Account": "Paghimo og account",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "",
"Create new secret key": "",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "",
"Default Model": "",
"Default model updated": "Gi-update nga default template",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Default nga prompt nga mga sugyot",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Pagdiskobre, pag-download, ug pagsuhid sa mga preset sa template",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Ipakita ang username imbes nga 'Ikaw' sa Panaghisgutan",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "",
"Download canceled": "",
"Download Database": "I-download ang database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Ihulog ang bisan unsang file dinhi aron idugang kini sa panag-istoryahanay",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p. ",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "I-edit ang tiggamit",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "E-mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "",
"Export Presets": "",
"Export Prompts": "Export prompts",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "",
"Google PSE API Key": "",
"Google PSE Engine Id": "",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Maayong buntag, {{name}}",
"Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Tagoa",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Unsaon nako pagtabang kanimo karon?",
"Hybrid Search": "",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "",
"Import Presets": "",
"Import Prompts": "Import prompt",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Mga shortcut sa keyboard",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Pagdumala sa mga templates",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Pagdumala sa mga modelo sa Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "",
"March": "",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modelo {{modelId}} wala makit-an",
"Model {{modelName}} is not vision capable": "",
"Model {{name}} is now {{status}}": "",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
"Model Filtering": "",
"Model ID": "",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Wala gipili ang modelo",
"Model Params": "",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Whitelist sa modelo",
"Model(s) Whitelisted": "Gi-whitelist nga (mga) modelo",
"Modelfile Content": "Mga sulod sa template file",
"Models": "Mga modelo",
"Models Access": "",
"more": "",
"More": "",
"Move to Top": "",
"Name": "Ngalan",
"Name your knowledge base": "",
"New Chat": "Bag-ong diskusyon",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "",
"No search query generated": "",
"No source available": "Walay tinubdan nga anaa",
"No users were found.": "",
"No valves to update": "",
"None": "",
"Not factually correct": "",
@ -573,13 +598,13 @@
"Ollama": "",
"Ollama API": "",
"Ollama API disabled": "",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama nga bersyon",
"On": "Gipaandar",
"Only alphanumeric characters and hyphens are allowed": "",
"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 collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "",
"or": "O",
"Organize your users": "",
"Other": "",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Gidili ang pagtugot sa dihang nag-access sa mikropono: {{error}}",
"Permissions": "",
"Personalization": "",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
"Prompt Content": "Ang sulod sa prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Maabtik nga mga Sugyot",
"Prompt updated successfully": "",
"Prompts": "Mga aghat",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "Pagkuha ug template gikan sa Ollama.com",
"Query Params": "Mga parameter sa pangutana",
@ -709,13 +739,12 @@
"Seed": "Binhi",
"Select a base model": "",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Pagpili og modelo",
"Select a pipeline": "",
"Select a pipeline url": "",
"Select a tool": "",
"Select an Ollama instance": "Pagpili usa ka pananglitan sa Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Pagpili og modelo",
@ -734,6 +763,7 @@
"Set as default": "Define pinaagi sa default",
"Set CFG Scale": "",
"Set Default Model": "Ibutang ang default template",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "",
"Set Image Size": "Ibutang ang gidak-on sa hulagway",
"Set reranking model (e.g. {{model}})": "",
@ -758,7 +788,6 @@
"Show": "Pagpakita",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Ipakita ang mga shortcut",
"Show your support!": "",
"Showcased creativity": "",
@ -788,7 +817,6 @@
"System": "Sistema",
"System Instructions": "",
"System Prompt": "Madasig nga Sistema",
"Tags": "Mga tag",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL mode",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Paggamit sa Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "tiggamit",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Mga permiso sa tiggamit",
"Username": "",
"Users": "Mga tiggamit",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variable aron pulihan kini sa mga sulud sa clipboard.",
"Version": "Bersyon",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "Web",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Pagsulat og gisugyot nga prompt (eg. Kinsa ka?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Pagsulat og 50 ka pulong nga summary nga nagsumaryo [topic o keyword].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "",
"You have shared this chat": "",
"You're a helpful assistant.": "Usa ka ka mapuslanon nga katabang",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(např. `sh webui.sh --api`)",
"(latest)": "Nejnovější",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Nelze odstranit základní model",
"{{user}}'s Chats": "{{user}}'s konverzace",
"{{webUIName}} Backend Required": "Požadováno {{webUIName}} Backend",
"*Prompt node ID(s) are required for image generation": "*ID (ID) uzlu pro generování obrázků jsou vyžadována.",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Model úloh se používá při provádění úloh, jako je generování názvů pro chaty a vyhledávací dotazy na webu.",
"a user": "uživatel",
"About": "O programu",
"Accessible to all users": "",
"Account": "Účet",
"Account Activation Pending": "Čeká na aktivaci účtu",
"Accurate information": "Přesné informace",
@ -28,12 +28,14 @@
"Add content here": "Přidat obsah zde",
"Add custom prompt": "Přidání vlastního výzvy",
"Add Files": "Přidat soubory",
"Add Group": "",
"Add Memory": "Přidání paměti",
"Add Model": "Přidat model",
"Add Tag": "Přidat štítek",
"Add Tags": "Přidat značky",
"Add text content": "Přidejte textový obsah",
"Add User": "Přidat uživatele",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Úprava těchto nastavení se projeví univerzálně u všech uživatelů.",
"admin": "Správce",
"Admin": "Ahoj! Jak ti mohu pomoci?",
@ -44,8 +46,10 @@
"Advanced Params": "Pokročilé parametry",
"All chats": "Všechny chaty",
"All Documents": "Všechny dokumenty",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Povolit odstranění chatu",
"Allow Chat Editing": "Povolit úpravu chatu",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Povolit ne-místní hlasy",
"Allow Temporary Chat": "Povolit dočasný chat",
"Allow User Location": "Povolit uživatelskou polohu",
@ -62,6 +66,7 @@
"API keys": "API klíče",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Duben",
"Archive": "Archivovat",
"Archive All Chats": "Archivovat všechny chaty",
@ -115,6 +120,7 @@
"Chat Controls": "Ovládání chatu",
"Chat direction": "Směr chatu",
"Chat Overview": "Přehled chatu",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Automatické generování značek chatu",
"Chats": "Chaty.",
"Check Again": "Zkontroluj znovu",
@ -145,6 +151,7 @@
"Code execution": "Provádění kódu",
"Code formatted successfully": "Kód byl úspěšně naformátován.",
"Collection": "Sbírka",
"Color": "",
"ComfyUI": "ComfyUI.",
"ComfyUI Base URL": "Základní URL ComfyUI",
"ComfyUI Base URL is required.": "Je vyžadována základní URL pro ComfyUI.",
@ -178,10 +185,12 @@
"Copy Link": "Kopírovat odkaz",
"Copy to clipboard": "Kopírovat do schránky",
"Copying to clipboard was successful!": "Kopírování do schránky bylo úspěšné!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Vytvořte model",
"Create Account": "Vytvořit účet",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Vytvořit znalosti",
"Create new key": "Vytvořit nový klíč",
"Create new secret key": "Vytvořte nový tajný klíč",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Výchozí (SentenceTransformers)",
"Default Model": "Výchozí model",
"Default model updated": "Výchozí model aktualizován.",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Výchozí návrhy promptů",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Objevujte, stahujte a prozkoumávejte vlastní nástroje",
"Discover, download, and explore model presets": "Objevte, stáhněte a prozkoumejte přednastavení modelů",
"Dismissible": "Odstranitelné",
"Display": "",
"Display Emoji in Call": "Zobrazení emoji během hovoru",
"Display the username instead of You in the Chat": "Zobrazit uživatelské jméno místo \"Vás\" v chatu",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Stáhnout",
"Download canceled": "Stahování zrušeno",
"Download Database": "Stáhnout databázi",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Namalovat",
"Drop any files here to add to the conversation": "Sem přetáhněte libovolné soubory, které chcete přidat do konverzace",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "např. '30s','10m'. Platné časové jednotky jsou 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Upravit",
"Edit Arena Model": "Upravit Arena Model",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Upravit paměť",
"Edit User": "Upravit uživatele",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "E-mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exportujte konfiguraci do souboru JSON",
"Export Functions": "Exportovat funkce",
"Export Models": "Export modelů",
"Export Presets": "",
"Export Prompts": "Exportovat výzvy",
"Export to CSV": "",
"Export Tools": "Exportní nástroje",
@ -409,6 +425,11 @@
"Good Response": "Dobrý Odezva",
"Google PSE API Key": "Klíč API pro Google PSE (Programmatically Search Engine)",
"Google PSE Engine Id": "Google PSE Engine Id (Identifikátor vyhledávacího modulu Google PSE)",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "hh:mm dop./odp.",
"Haptic Feedback": "Haptická zpětná vazba",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Ahoj, {{name}}",
"Help": "Pomoc",
"Help us create the best community leaderboard by sharing your feedback history!": "Pomozte nám vytvořit nejlepší komunitní žebříček sdílením historie vaší zpětné vazby!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Schovej",
"Hide Model": "Skrýt model",
"Host": "",
"How can I help you today?": "Jak vám mohu dnes pomoci?",
"Hybrid Search": "Hybridní vyhledávání",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importování konfigurace z JSON souboru",
"Import Functions": "Načítání funkcí",
"Import Models": "Importování modelů",
"Import Presets": "",
"Import Prompts": "Importovat Prompty",
"Import Tools": "Importovat nástroje",
"Include": "Zahrnout",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Klávesové zkratky",
"Knowledge": "Znalosti",
"Knowledge Access": "",
"Knowledge created successfully.": "Znalost úspěšně vytvořena.",
"Knowledge deleted successfully.": "Znalosti byly úspěšně odstraněny.",
"Knowledge reset successfully.": "Úspěšné obnovení znalostí.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Ujistěte se, že exportujete soubor workflow.json ve formátu API z ComfyUI.",
"Manage": "Spravovat",
"Manage Arena Models": "Správa modelů v Arena",
"Manage Models": "Správa modelů",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Správa modelů Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Správa potrubí",
"March": "Březen",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} nebyl nalezen",
"Model {{modelName}} is not vision capable": "Model {{modelName}} není schopen zpracovávat vizuální data.",
"Model {{name}} is now {{status}}": "Model {{name}} je nyní {{status}}.",
"Model {{name}} is now at the top": "Model {{name}} je nyní na vrcholu",
"Model accepts image inputs": "Model přijímá vstupy ve formě obrázků",
"Model created successfully!": "Model byl úspěšně vytvořen!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Detekována cesta v\u00a0souborovém systému. Je vyžadován krátký název modelu pro aktualizaci, nelze pokračovat.",
"Model Filtering": "",
"Model ID": "ID modelu",
"Model IDs": "",
"Model Name": "Název modelu",
"Model not selected": "Model nebyl vybrán",
"Model Params": "Parametry modelu",
"Model Permissions": "",
"Model updated successfully": "Model byl úspěšně aktualizován",
"Model Whitelisting": "Model povolování",
"Model(s) Whitelisted": "Model(y) na bílém seznamu",
"Modelfile Content": "Obsah souboru modelfile",
"Models": "Modely",
"Models Access": "",
"more": "více",
"More": "Více",
"Move to Top": "Přesunout nahoru",
"Name": "Jméno",
"Name your knowledge base": "",
"New Chat": "Nový chat",
@ -549,12 +571,15 @@
"No feedbacks found": "Žádná zpětná vazba nenalezena",
"No file selected": "Nebyl vybrán žádný soubor",
"No files found.": "Nebyly nalezeny žádné soubory.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Nebyl nalezen žádný obsah HTML, CSS ani JavaScriptu.",
"No knowledge found": "Nebyly nalezeny žádné znalosti",
"No model IDs": "",
"No models found": "Nebyly nalezeny žádné modely",
"No results found": "Nebyly nalezeny žádné výsledky",
"No search query generated": "Nebyl vygenerován žádný vyhledávací dotaz.",
"No source available": "Není k dispozici žádný zdroj.",
"No users were found.": "",
"No valves to update": "Žádné ventily k aktualizaci",
"None": "Žádný",
"Not factually correct": "Není fakticky správné",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API rozhraní Ollama je zakázáno.",
"Ollama API is disabled": "Ollama API je zakázáno.",
"Ollama API settings updated": "",
"Ollama Version": "Verze Ollama",
"On": "Na",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Příkazový řetězec smí obsahovat pouze alfanumerické znaky a pomlčky.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Pouze kolekce mohou být upravovány, pro úpravu/přidání dokumentů vytvořte novou znalostní bázi.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Vypadá to, že URL adresa je neplatná. Prosím, zkontrolujte ji a zkuste to znovu.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Jejda! Některé soubory se stále nahrávají. Prosím, počkejte, až bude nahrávání dokončeno.",
"Oops! There was an error in the previous response.": "Jejda! V předchozí odpovědi došlo k chybě.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Je vyžadován odkaz/adresa URL nebo klíč OpenAI.",
"or": "nebo",
"Organize your users": "",
"Other": "Jiné",
"OUTPUT": "VÝSTUP",
"Output format": "Formát výstupu",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Odmítnutí povolení při přístupu k mediálním zařízením",
"Permission denied when accessing microphone": "Přístup k mikrofonu byl odepřen",
"Permission denied when accessing microphone: {{error}}": "Oprávnění zamítnuto při přístupu k mikrofonu: {{error}}",
"Permissions": "",
"Personalization": "Personalizace",
"Pin": "Kolík",
"Pinned": "Připnuto",
@ -633,8 +660,11 @@
"Profile Image": "Profilový obrázek",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Výzva (např. Řekni mi zábavný fakt o Římské říši)",
"Prompt Content": "Obsah výzvy",
"Prompt created successfully": "",
"Prompt suggestions": "Návrhy výzev",
"Prompt updated successfully": "",
"Prompts": "Výzvy",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Stáhněte \"{{searchValue}}\" z Ollama.com",
"Pull a model from Ollama.com": "Stáhněte model z Ollama.com",
"Query Params": "Parametry dotazu",
@ -711,13 +741,12 @@
"Seed": "Semínko",
"Select a base model": "Vyberte základní model",
"Select a engine": "Vyberte motor",
"Select a file to view or drag and drop a file to upload": "Vyberte soubor k prohlížení nebo přetáhněte soubor k nahrání.",
"Select a function": "Vyberte funkci",
"Select a group": "",
"Select a model": "Vyberte model",
"Select a pipeline": "Vyberte si potrubí (pipeline)",
"Select a pipeline url": "Vyberte URL adresu kanálu",
"Select a tool": "Vyberte nástroj",
"Select an Ollama instance": "Vyberte instanci Ollama",
"Select Engine": "Vyberte motor",
"Select Knowledge": "Vybrat znalosti",
"Select model": "Vyberte model",
@ -736,6 +765,7 @@
"Set as default": "Nastavit jako výchozí",
"Set CFG Scale": "Nastavte hodnotu CFG Scale",
"Set Default Model": "Nastavení výchozího modelu",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Nastavte model vkládání (např. {{model}})",
"Set Image Size": "Nastavení velikosti obrázku",
"Set reranking model (e.g. {{model}})": "Nastavte model pro přehodnocení (např. {{model}})",
@ -760,7 +790,6 @@
"Show": "Zobrazit",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Zobrazit podrobnosti administrátora v překryvném okně s čekajícím účtem",
"Show Model": "Zobrazit model",
"Show shortcuts": "Zobrazit klávesové zkratky",
"Show your support!": "Vyjadřete svou podporu!",
"Showcased creativity": "Předvedená kreativita",
@ -790,7 +819,6 @@
"System": "System",
"System Instructions": "Pokyny systému",
"System Prompt": "Systémová výzva",
"Tags": "Štítky",
"Tags Generation Prompt": "Výzva pro generování značek",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Klepněte pro přerušení",
@ -852,15 +880,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Tokeny, které si ponechat při obnovení kontextu (num_keep)",
"Too verbose": "Příliš upovídané",
"Tool": "Nástroj",
"Tool created successfully": "Nástroj byl úspěšně vytvořen.",
"Tool deleted successfully": "Nástroj byl úspěšně smazán.",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Nástroj byl úspěšně importován",
"Tool Name": "",
"Tool updated successfully": "Nástroj byl úspěšně aktualizován.",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Nástroje",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Nástroje jsou systémem pro volání funkcí s vykonáváním libovolného kódu.",
"Tools have a function calling system that allows arbitrary code execution": "Nástroje mají systém volání funkcí, který umožňuje libovolné spouštění kódu.",
"Tools have a function calling system that allows arbitrary code execution.": "Nástroje mají systém volání funkcí, který umožňuje spuštění libovolného kódu.",
@ -900,13 +928,13 @@
"URL Mode": "Režim URL",
"Use '#' in the prompt input to load and include your knowledge.": "Použijte '#' ve vstupu příkazu k načtení a zahrnutí vašich znalostí.",
"Use Gravatar": "Použití Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Použijte iniciály",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "uživatel",
"User": "Uživatel",
"User location successfully retrieved.": "Umístění uživatele bylo úspěšně získáno.",
"User Permissions": "Uživatelská oprávnění",
"Username": "",
"Users": "Uživatelé",
"Using the default arena model with all models. Click the plus button to add custom models.": "Použití výchozího modelu arény se všemi modely. Kliknutím na tlačítko plus přidejte vlastní modely.",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "proměnnou, aby byl jejich obsah nahrazen obsahem schránky.",
"Version": "Verze",
"Version {{selectedVersion}} of {{totalVersions}}": "Verze {{selectedVersion}} z {{totalVersions}}",
"Visibility": "",
"Voice": "Hlas",
"Voice Input": "Hlasový vstup",
"Warning": "Varování",
"Warning:": "Upozornění:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Varování: Pokud aktualizujete nebo změníte svůj model vkládání, budete muset všechny dokumenty znovu importovat.",
"Web": "Web",
"Web API": "Webové API",
@ -943,6 +973,7 @@
"Won": "Vyhrál",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Pracovní prostor",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Navrhněte dotaz (např. Kdo jsi?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Napište shrnutí na 50 slov, které shrnuje [téma nebo klíčové slovo].",
"Write something...": "Napiš něco...",
@ -951,8 +982,8 @@
"You": "Vy",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Můžete komunikovat pouze s maximálně {{maxCount}} soubor(y) najednou.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Můžete personalizovat své interakce s LLM pomocí přidávání vzpomínek prostřednictvím tlačítka 'Spravovat' níže, což je učiní pro vás užitečnějšími a lépe přizpůsobenými.",
"You cannot clone a base model": "Nemůžete klonovat základní model.",
"You cannot upload an empty file.": "Nemůžete nahrát prázdný soubor.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Nemáte žádné archivované konverzace.",
"You have shared this chat": "Sdíleli jste tento chat.",
"You're a helpful assistant.": "Jste užitečný asistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(f.eks. `sh webui.sh --api`)",
"(latest)": "(seneste)",
"{{ models }}": "{{ modeller }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Du kan ikke slette en base model",
"{{user}}'s Chats": "{{user}}s chats",
"{{webUIName}} Backend Required": "{{webUIName}} Backend kræves",
"*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) er påkrævet for at kunne generere billeder",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "En 'task model' bliver brugt til at opgaver såsom at generere overskrifter til chats eller internetsøgninger",
"a user": "en bruger",
"About": "Information",
"Accessible to all users": "",
"Account": "Profil",
"Account Activation Pending": "Aktivering af profil afventer",
"Accurate information": "Profilinformation",
@ -28,12 +28,14 @@
"Add content here": "Tilføj indhold her",
"Add custom prompt": "Tilføj en special-prompt",
"Add Files": "Tilføj filer",
"Add Group": "",
"Add Memory": "Tilføj hukommelse",
"Add Model": "Tilføj model",
"Add Tag": "Tilføj tag",
"Add Tags": "Tilføj tags",
"Add text content": "Tilføj tekst",
"Add User": "Tilføj bruger",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ændringer af disse indstillinger har konsekvenser for alle brugere.",
"admin": "administrator",
"Admin": "Administrator",
@ -44,8 +46,10 @@
"Advanced Params": "Advancerede indstillinger",
"All chats": "",
"All Documents": "Alle dokumenter",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tillad sletning af chats",
"Allow Chat Editing": "Tillad redigering af chats",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Tillad ikke-lokale stemmer",
"Allow Temporary Chat": "Tillad midlertidig chat",
"Allow User Location": "Tillad bruger-lokation",
@ -62,6 +66,7 @@
"API keys": "API nøgler",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "april",
"Archive": "Arkiv",
"Archive All Chats": "Arkiver alle chats",
@ -115,6 +120,7 @@
"Chat Controls": "Chat indstillinger",
"Chat direction": "Chat retning",
"Chat Overview": "Chat overblik",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chats",
"Check Again": "Tjek igen",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Kode formateret korrekt",
"Collection": "Samling",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL er påkrævet.",
@ -178,10 +185,12 @@
"Copy Link": "Kopier link",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Kopieret til udklipsholder!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Lav en model",
"Create Account": "Opret profil",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Opret Viden",
"Create new key": "Opret en ny nøgle",
"Create new secret key": "Opret en ny hemmelig nøgle",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Standard (SentenceTransformers)",
"Default Model": "Standard model",
"Default model updated": "Standard model opdateret",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Standardforslag til prompt",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Find, download og udforsk unikke værktøjer",
"Discover, download, and explore model presets": "Find, download og udforsk modelindstillinger",
"Dismissible": "Kan afvises",
"Display": "",
"Display Emoji in Call": "Vis emoji i chat",
"Display the username instead of You in the Chat": "Vis brugernavn i stedet for Dig i chatten",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Download",
"Download canceled": "Download afbrudt",
"Download Database": "Download database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Upload filer her for at tilføje til samtalen",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "f.eks. '30s', '10m'. Tilladte værdier er 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Rediger",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Rediger hukommelse",
"Edit User": "Rediger bruger",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Eksportér konfiguration til JSON-fil",
"Export Functions": "Eksportér funktioner",
"Export Models": "Eksportér modeller",
"Export Presets": "",
"Export Prompts": "Eksportér prompts",
"Export to CSV": "",
"Export Tools": "Eksportér værktøjer",
@ -409,6 +425,11 @@
"Good Response": "Godt svar",
"Google PSE API Key": "Google PSE API-nøgle",
"Google PSE Engine Id": "Google PSE Engine-ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Haptisk feedback",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hej {{name}}",
"Help": "Hjælp",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Skjul",
"Hide Model": "Skjul model",
"Host": "",
"How can I help you today?": "Hvordan kan jeg hjælpe dig i dag?",
"Hybrid Search": "Hybrid søgning",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importer konfiguration fra JSON-fil",
"Import Functions": "Importer funktioner",
"Import Models": "Importer modeller",
"Import Presets": "",
"Import Prompts": "Importer prompts",
"Import Tools": "Importer værktøjer",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Tastaturgenveje",
"Knowledge": "Viden",
"Knowledge Access": "",
"Knowledge created successfully.": "Viden oprettet.",
"Knowledge deleted successfully.": "Viden slettet.",
"Knowledge reset successfully.": "Viden nulstillet.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Sørg for at eksportere en workflow.json-fil som API-format fra ComfyUI.",
"Manage": "Administrer",
"Manage Arena Models": "",
"Manage Models": "Administrer modeller",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Administrer Ollama-modeller",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Administrer pipelines",
"March": "Marts",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} ikke fundet",
"Model {{modelName}} is not vision capable": "Model {{modelName}} understøtter ikke billeder",
"Model {{name}} is now {{status}}": "Model {{name}} er nu {{status}}",
"Model {{name}} is now at the top": "Model {{name}} er nu øverst",
"Model accepts image inputs": "Model accepterer billedinput",
"Model created successfully!": "Model oprettet!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filsystemsti registreret. Modelkortnavn er påkrævet til opdatering, kan ikke fortsætte.",
"Model Filtering": "",
"Model ID": "Model-ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model ikke valgt",
"Model Params": "Modelparametre",
"Model Permissions": "",
"Model updated successfully": "Model opdateret.",
"Model Whitelisting": "Modelhvidliste",
"Model(s) Whitelisted": "Model(ler) hvidlistet",
"Modelfile Content": "Modelfilindhold",
"Models": "Modeller",
"Models Access": "",
"more": "",
"More": "Mere",
"Move to Top": "Flyt til toppen",
"Name": "Navn",
"Name your knowledge base": "",
"New Chat": "Ny chat",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Ingen fil valgt",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Intet HTML-, CSS- eller JavaScript-indhold fundet.",
"No knowledge found": "Ingen viden fundet",
"No model IDs": "",
"No models found": "",
"No results found": "Ingen resultater fundet",
"No search query generated": "Ingen søgeforespørgsel genereret",
"No source available": "Ingen kilde tilgængelig",
"No users were found.": "",
"No valves to update": "Ingen ventiler at opdatere",
"None": "Ingen",
"Not factually correct": "Ikke faktuelt korrekt",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API deaktiveret",
"Ollama API is disabled": "Ollama API er deaktiveret",
"Ollama API settings updated": "",
"Ollama Version": "Ollama-version",
"On": "Til",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Kun alfanumeriske tegn og bindestreger er tilladt i kommandostrengen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Kun samlinger kan redigeres, opret en ny vidensbase for at redigere/tilføje dokumenter.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! URL'en ser ud til at være ugyldig. Tjek den igen, og prøv igen.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/nøgle påkrævet.",
"or": "eller",
"Organize your users": "",
"Other": "Andet",
"OUTPUT": "",
"Output format": "Outputformat",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Tilladelse nægtet ved adgang til medieenheder",
"Permission denied when accessing microphone": "Tilladelse nægtet ved adgang til mikrofon",
"Permission denied when accessing microphone: {{error}}": "Tilladelse nægtet ved adgang til mikrofon: {{error}}",
"Permissions": "",
"Personalization": "Personalisering",
"Pin": "Fastgør",
"Pinned": "Fastgjort",
@ -633,8 +660,11 @@
"Profile Image": "Profilbillede",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (f.eks. Fortæl mig en sjov kendsgerning om Romerriget)",
"Prompt Content": "Promptindhold",
"Prompt created successfully": "",
"Prompt suggestions": "Promptforslag",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Hent \"{{searchValue}}\" fra Ollama.com",
"Pull a model from Ollama.com": "Hent en model fra Ollama.com",
"Query Params": "Forespørgselsparametre",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Vælg en basemodel",
"Select a engine": "Vælg en engine",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Vælg en funktion",
"Select a group": "",
"Select a model": "Vælg en model",
"Select a pipeline": "Vælg en pipeline",
"Select a pipeline url": "Vælg en pipeline-URL",
"Select a tool": "Vælg et værktøj",
"Select an Ollama instance": "Vælg en Ollama-instans",
"Select Engine": "Vælg engine",
"Select Knowledge": "Vælg viden",
"Select model": "Vælg model",
@ -734,6 +763,7 @@
"Set as default": "Indstil som standard",
"Set CFG Scale": "Indstil CFG-skala",
"Set Default Model": "Indstil standardmodel",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Indstil indlejringsmodel (f.eks. {{model}})",
"Set Image Size": "Indstil billedstørrelse",
"Set reranking model (e.g. {{model}})": "Indstil omarrangeringsmodel (f.eks. {{model}})",
@ -758,7 +788,6 @@
"Show": "Vis",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Vis administratordetaljer i overlay for ventende konto",
"Show Model": "Vis model",
"Show shortcuts": "Vis genveje",
"Show your support!": "Vis din støtte!",
"Showcased creativity": "Udstillet kreativitet",
@ -788,7 +817,6 @@
"System": "System",
"System Instructions": "",
"System Prompt": "Systemprompt",
"Tags": "Tags",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Tryk for at afbryde",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens, der skal beholdes ved kontekstopdatering (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Værktøj oprettet.",
"Tool deleted successfully": "Værktøj slettet.",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Værktøj importeret.",
"Tool Name": "",
"Tool updated successfully": "Værktøj opdateret.",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Værktøjer",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Værktøjer er et funktionkaldssystem med vilkårlig kodeudførelse",
"Tools have a function calling system that allows arbitrary code execution": "Værktøjer har et funktionkaldssystem, der tillader vilkårlig kodeudførelse",
"Tools have a function calling system that allows arbitrary code execution.": "Værktøjer har et funktionkaldssystem, der tillader vilkårlig kodeudførelse.",
@ -898,13 +926,13 @@
"URL Mode": "URL-tilstand",
"Use '#' in the prompt input to load and include your knowledge.": "Brug '#' i promptinput for at indlæse og inkludere din viden.",
"Use Gravatar": "Brug Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Brug initialer",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "bruger",
"User": "",
"User location successfully retrieved.": "Brugerplacering hentet.",
"User Permissions": "Brugertilladelser",
"Username": "",
"Users": "Brugere",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variabel for at få dem erstattet med indholdet af udklipsholderen.",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} af {{totalVersions}}",
"Visibility": "",
"Voice": "Stemme",
"Voice Input": "",
"Warning": "Advarsel",
"Warning:": "Advarsel:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Advarsel: Hvis du opdaterer eller ændrer din indlejringsmodel, skal du importere alle dokumenter igen.",
"Web": "Web",
"Web API": "Web API",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Arbejdsområde",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Skriv et promptforslag (f.eks. Hvem er du?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Skriv en opsummering på 50 ord, der opsummerer [emne eller søgeord].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "Du",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Du kan kun chatte med maksimalt {{maxCount}} fil(er) ad gangen.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Du kan personliggøre dine interaktioner med LLM'er ved at tilføje minder via knappen 'Administrer' nedenfor, hvilket gør dem mere nyttige og skræddersyet til dig.",
"You cannot clone a base model": "Du kan ikke klone en basemodel",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Du har ingen arkiverede samtaler.",
"You have shared this chat": "Du har delt denne chat",
"You're a helpful assistant.": "Du er en hjælpsom assistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(z. B. `sh webui.sh --api`)",
"(latest)": "(neueste)",
"{{ models }}": "{{ Modelle }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Sie können ein Basismodell nicht löschen",
"{{user}}'s Chats": "{{user}}s Unterhaltungen",
"{{webUIName}} Backend Required": "{{webUIName}}-Backend erforderlich",
"*Prompt node ID(s) are required for image generation": "*Prompt-Node-ID(s) sind für die Bildgenerierung erforderlich",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Aufgabenmodelle können Unterhaltungstitel oder Websuchanfragen generieren.",
"a user": "ein Benutzer",
"About": "Über",
"Accessible to all users": "",
"Account": "Konto",
"Account Activation Pending": "Kontoaktivierung ausstehend",
"Accurate information": "Präzise Information(en)",
@ -28,12 +28,14 @@
"Add content here": "Inhalt hier hinzufügen",
"Add custom prompt": "Benutzerdefinierten Prompt hinzufügen",
"Add Files": "Dateien hinzufügen",
"Add Group": "",
"Add Memory": "Erinnerung hinzufügen",
"Add Model": "Modell hinzufügen",
"Add Tag": "Tag hinzufügen",
"Add Tags": "Tags hinzufügen",
"Add text content": "Textinhalt hinzufügen",
"Add User": "Benutzer hinzufügen",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Das Anpassen dieser Einstellungen wird Änderungen universell auf alle Benutzer anwenden.",
"admin": "Administrator",
"Admin": "Administrator",
@ -44,8 +46,10 @@
"Advanced Params": "Erweiterte Parameter",
"All chats": "Alle Unterhaltungen",
"All Documents": "Alle Dokumente",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Löschen von Unterhaltungen erlauben",
"Allow Chat Editing": "Bearbeiten von Unterhaltungen erlauben",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Nicht-lokale Stimmen erlauben",
"Allow Temporary Chat": "Temporäre Unterhaltungen erlauben",
"Allow User Location": "Standort freigeben",
@ -62,6 +66,7 @@
"API keys": "API-Schlüssel",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "April",
"Archive": "Archivieren",
"Archive All Chats": "Alle Unterhaltungen archivieren",
@ -115,6 +120,7 @@
"Chat Controls": "Chat-Steuerung",
"Chat direction": "Textrichtung",
"Chat Overview": "Unterhaltungsübersicht",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Automatische Generierung von Unterhaltungstags",
"Chats": "Unterhaltungen",
"Check Again": "Erneut überprüfen",
@ -145,6 +151,7 @@
"Code execution": "Codeausführung",
"Code formatted successfully": "Code erfolgreich formatiert",
"Collection": "Kollektion",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI-Basis-URL",
"ComfyUI Base URL is required.": "ComfyUI-Basis-URL wird benötigt.",
@ -178,10 +185,12 @@
"Copy Link": "Link kopieren",
"Copy to clipboard": "In die Zwischenablage kopieren",
"Copying to clipboard was successful!": "Das Kopieren in die Zwischenablage war erfolgreich!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Ein Modell erstellen",
"Create Account": "Konto erstellen",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Wissen erstellen",
"Create new key": "Neuen Schlüssel erstellen",
"Create new secret key": "Neuen API-Schlüssel erstellen",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Standard (SentenceTransformers)",
"Default Model": "Standardmodell",
"Default model updated": "Standardmodell aktualisiert",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Prompt-Vorschläge",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Entdecken und beziehen Sie benutzerdefinierte Werkzeuge",
"Discover, download, and explore model presets": "Entdecken und beziehen Sie benutzerdefinierte Modellvorlagen",
"Dismissible": "ausblendbar",
"Display": "",
"Display Emoji in Call": "Emojis im Anruf anzeigen",
"Display the username instead of You in the Chat": "Soll \"Sie\" durch Ihren Benutzernamen ersetzt werden?",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Exportieren",
"Download canceled": "Exportierung abgebrochen",
"Download Database": "Datenbank exportieren",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Zeichnen",
"Drop any files here to add to the conversation": "Ziehen Sie beliebige Dateien hierher, um sie der Unterhaltung hinzuzufügen",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "z. B. '30s','10m'. Gültige Zeiteinheiten sind 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Bearbeiten",
"Edit Arena Model": "Arena-Modell bearbeiten",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Erinnerungen bearbeiten",
"Edit User": "Benutzer bearbeiten",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "E-Mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exportiere Konfiguration als JSON-Datei",
"Export Functions": "Funktionen exportieren",
"Export Models": "Modelle exportieren",
"Export Presets": "",
"Export Prompts": "Prompts exportieren",
"Export to CSV": "",
"Export Tools": "Werkzeuge exportieren",
@ -409,6 +425,11 @@
"Good Response": "Gute Antwort",
"Google PSE API Key": "Google PSE-API-Schlüssel",
"Google PSE Engine Id": "Google PSE-Engine-ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Haptisches Feedback",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hallo, {{name}}",
"Help": "Hilfe",
"Help us create the best community leaderboard by sharing your feedback history!": "Helfen Sie uns, die beste Community-Bestenliste zu erstellen, indem Sie Ihren Feedback-Verlauf teilen!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Verbergen",
"Hide Model": "Modell ausblenden",
"Host": "",
"How can I help you today?": "Wie kann ich Ihnen heute helfen?",
"Hybrid Search": "Hybride Suche",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Konfiguration aus JSON-Datei importieren",
"Import Functions": "Funktionen importieren",
"Import Models": "Modelle importieren",
"Import Presets": "",
"Import Prompts": "Prompts importieren",
"Import Tools": "Werkzeuge importieren",
"Include": "Einschließen",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Tastenkombinationen",
"Knowledge": "Wissen",
"Knowledge Access": "",
"Knowledge created successfully.": "Wissen erfolgreich erstellt.",
"Knowledge deleted successfully.": "Wissen erfolgreich gelöscht.",
"Knowledge reset successfully.": "Wissen erfolgreich zurückgesetzt.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Stellen Sie sicher, dass sie eine workflow.json-Datei im API-Format von ComfyUI exportieren.",
"Manage": "Verwalten",
"Manage Arena Models": "Arena-Modelle verwalten",
"Manage Models": "Modelle verwalten",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama-Modelle verwalten",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Pipelines verwalten",
"March": "März",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modell {{modelId}} nicht gefunden",
"Model {{modelName}} is not vision capable": "Das Modell {{modelName}} ist nicht für die Bildverarbeitung geeignet",
"Model {{name}} is now {{status}}": "Modell {{name}} ist jetzt {{status}}",
"Model {{name}} is now at the top": "Modell {{name}} ist jetzt oben",
"Model accepts image inputs": "Modell akzeptiert Bileingaben",
"Model created successfully!": "Modell erfolgreich erstellt!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell-Dateisystempfad erkannt. Modellkurzname ist für das Update erforderlich, Fortsetzung nicht möglich.",
"Model Filtering": "",
"Model ID": "Modell-ID",
"Model IDs": "",
"Model Name": "Modell-Name",
"Model not selected": "Modell nicht ausgewählt",
"Model Params": "Modell-Params",
"Model Permissions": "",
"Model updated successfully": "Modell erfolgreich aktualisiert",
"Model Whitelisting": "Modell-Whitelisting",
"Model(s) Whitelisted": "Modell(e) auf der Whitelist",
"Modelfile Content": "Modelfile-Inhalt",
"Models": "Modelle",
"Models Access": "",
"more": "mehr",
"More": "Mehr",
"Move to Top": "Nach oben verschieben",
"Name": "Name",
"Name your knowledge base": "",
"New Chat": "Neue Unterhaltung",
@ -549,12 +571,15 @@
"No feedbacks found": "Kein Feedback gefunden",
"No file selected": "Keine Datei ausgewählt",
"No files found.": "Keine Dateien gefunden.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Keine HTML-, CSS- oder JavaScript-Inhalte gefunden.",
"No knowledge found": "Kein Wissen gefunden",
"No model IDs": "",
"No models found": "Keine Modelle gefunden",
"No results found": "Keine Ergebnisse gefunden",
"No search query generated": "Keine Suchanfrage generiert",
"No source available": "Keine Quelle verfügbar",
"No users were found.": "",
"No valves to update": "Keine Valves zum Aktualisieren",
"None": "Nichts",
"Not factually correct": "Nicht sachlich korrekt",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama-API",
"Ollama API disabled": "Ollama-API deaktiviert",
"Ollama API is disabled": "Ollama-API ist deaktiviert.",
"Ollama API settings updated": "",
"Ollama Version": "Ollama-Version",
"On": "Ein",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "In der Befehlszeichenfolge sind nur alphanumerische Zeichen und Bindestriche erlaubt.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Nur Sammlungen können bearbeitet werden. Erstellen Sie eine neue Wissensbasis, um Dokumente zu bearbeiten/hinzuzufügen.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es scheint, dass die URL ungültig ist. Bitte überprüfen Sie diese und versuchen Sie es erneut.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Hoppla! Es werden noch Dateien hochgeladen. Bitte warten Sie, bis der Upload abgeschlossen ist.",
"Oops! There was an error in the previous response.": "Hoppla! Es gab einen Fehler in der vorherigen Antwort.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI-URL/Schlüssel erforderlich.",
"or": "oder",
"Organize your users": "",
"Other": "Andere",
"OUTPUT": "AUSGABE",
"Output format": "Ausgabeformat",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Zugriff auf Mediengeräte verweigert",
"Permission denied when accessing microphone": "Zugriff auf das Mikrofon verweigert",
"Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}",
"Permissions": "",
"Personalization": "Personalisierung",
"Pin": "Anheften",
"Pinned": "Angeheftet",
@ -633,8 +660,11 @@
"Profile Image": "Profilbild",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (z. B. \"Erzähle mir eine interessante Tatsache über das Römische Reich\")",
"Prompt Content": "Prompt-Inhalt",
"Prompt created successfully": "",
"Prompt suggestions": "Prompt-Vorschläge",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" von Ollama.com beziehen",
"Pull a model from Ollama.com": "Modell von Ollama.com beziehen",
"Query Params": "Abfrageparameter",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Wählen Sie ein Basismodell",
"Select a engine": "Wählen Sie eine Engine",
"Select a file to view or drag and drop a file to upload": "Wählen Sie eine Datei zum Anzeigen aus oder ziehen Sie eine Datei zum Hochladen",
"Select a function": "Wählen Sie eine Funktion",
"Select a group": "",
"Select a model": "Wählen Sie ein Modell",
"Select a pipeline": "Wählen Sie eine Pipeline",
"Select a pipeline url": "Wählen Sie eine Pipeline-URL",
"Select a tool": "Wählen Sie ein Werkzeug",
"Select an Ollama instance": "Wählen Sie eine Ollama-Instanz",
"Select Engine": "Engine auswählen",
"Select Knowledge": "Wissensdatenbank auswählen",
"Select model": "Modell auswählen",
@ -734,6 +763,7 @@
"Set as default": "Als Standard festlegen",
"Set CFG Scale": "CFG-Skala festlegen",
"Set Default Model": "Standardmodell festlegen",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Einbettungsmodell festlegen (z. B. {{model}})",
"Set Image Size": "Bildgröße festlegen",
"Set reranking model (e.g. {{model}})": "Rerankingmodell festlegen (z. B. {{model}})",
@ -758,7 +788,6 @@
"Show": "Anzeigen",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Admin-Details im Account-Pending-Overlay anzeigen",
"Show Model": "Modell anzeigen",
"Show shortcuts": "Verknüpfungen anzeigen",
"Show your support!": "Zeigen Sie Ihre Unterstützung!",
"Showcased creativity": "Kreativität gezeigt",
@ -788,7 +817,6 @@
"System": "System",
"System Instructions": "Systemanweisungen",
"System Prompt": "System-Prompt",
"Tags": "Tags",
"Tags Generation Prompt": "Prompt für Tag-Generierung",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Zum Unterbrechen tippen",
@ -850,15 +878,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Beizubehaltende Tokens bei Kontextaktualisierung (num_keep)",
"Too verbose": "Zu ausführlich",
"Tool": "Werkzeug",
"Tool created successfully": "Werkzeug erfolgreich erstellt",
"Tool deleted successfully": "Werkzeug erfolgreich gelöscht",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Werkzeug erfolgreich importiert",
"Tool Name": "",
"Tool updated successfully": "Werkzeug erfolgreich aktualisiert",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Werkzeuge",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Wekzeuge sind ein Funktionssystem mit beliebiger Codeausführung",
"Tools have a function calling system that allows arbitrary code execution": "Werkezuge verfügen über ein Funktionssystem, das die Ausführung beliebigen Codes ermöglicht",
"Tools have a function calling system that allows arbitrary code execution.": "Werkzeuge verfügen über ein Funktionssystem, das die Ausführung beliebigen Codes ermöglicht.",
@ -898,13 +926,13 @@
"URL Mode": "URL-Modus",
"Use '#' in the prompt input to load and include your knowledge.": "Nutzen Sie '#' in der Prompt-Eingabe, um Ihr Wissen zu laden und einzuschließen.",
"Use Gravatar": "Gravatar verwenden",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Initialen verwenden",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "Benutzer",
"User": "Benutzer",
"User location successfully retrieved.": "Benutzerstandort erfolgreich ermittelt.",
"User Permissions": "Benutzerberechtigungen",
"Username": "",
"Users": "Benutzer",
"Using the default arena model with all models. Click the plus button to add custom models.": "Verwendung des Standard-Arena-Modells mit allen Modellen. Klicken Sie auf die Plus-Schaltfläche, um benutzerdefinierte Modelle hinzuzufügen.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "Variable, um den Inhalt der Zwischenablage beim Nutzen des Prompts zu ersetzen.",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} von {{totalVersions}}",
"Visibility": "",
"Voice": "Stimme",
"Voice Input": "Spracheingabe",
"Warning": "Warnung",
"Warning:": "Warnung:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Warnung: Wenn Sie das Einbettungsmodell aktualisieren oder ändern, müssen Sie alle Dokumente erneut importieren.",
"Web": "Web",
"Web API": "Web-API",
@ -941,6 +971,7 @@
"Won": "Gewonnen",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Arbeitsbereich",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Schreiben Sie einen Promptvorschlag (z. B. Wer sind Sie?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Schreibe eine kurze Zusammenfassung in 50 Wörtern, die [Thema oder Schlüsselwort] zusammenfasst.",
"Write something...": "Schreiben Sie etwas...",
@ -949,8 +980,8 @@
"You": "Sie",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Sie können nur mit maximal {{maxCount}} Datei(en) gleichzeitig chatten.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Personalisieren Sie Interaktionen mit LLMs, indem Sie über die Schaltfläche \"Verwalten\" Erinnerungen hinzufügen.",
"You cannot clone a base model": "Sie können Basismodelle nicht klonen",
"You cannot upload an empty file.": "Sie können keine leere Datei hochladen.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Du hast keine archivierten Unterhaltungen.",
"You have shared this chat": "Sie haben diese Unterhaltung geteilt",
"You're a helpful assistant.": "Du bist ein hilfreicher Assistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(such e.g. `sh webui.sh --api`)",
"(latest)": "(much latest)",
"{{ models }}": "",
"{{ owner }}: You cannot delete a base model": "",
"{{user}}'s Chats": "",
"{{webUIName}} Backend Required": "{{webUIName}} Backend Much Required",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
"a user": "such user",
"About": "Much About",
"Accessible to all users": "",
"Account": "Account",
"Account Activation Pending": "",
"Accurate information": "",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "",
"Add Files": "Add Files",
"Add Group": "",
"Add Memory": "",
"Add Model": "",
"Add Tag": "",
"Add Tags": "",
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Adjusting these settings will apply changes to all users. Such universal, very wow.",
"admin": "admin",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "",
"All chats": "",
"All Documents": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Allow Delete Chats",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "",
"Archive": "",
"Archive All Chats": "",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chats",
"Check Again": "Check Again",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Collection",
"Color": "",
"ComfyUI": "",
"ComfyUI Base URL": "",
"ComfyUI Base URL is required.": "",
@ -178,10 +185,12 @@
"Copy Link": "",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Copying to clipboard was success! Very success!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "",
"Create Account": "Create Account",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "",
"Create new secret key": "",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "",
"Default Model": "",
"Default model updated": "Default model much updated",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Default Prompt Suggestions",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Discover, download, and explore model presets",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Display username instead of You in Chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "",
"Download canceled": "",
"Download Database": "Download Database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Drop files here to add to conversation",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "e.g. '30s','10m'. Much time units are 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Edit Wowser",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "",
"Export Presets": "",
"Export Prompts": "Export Promptos",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "",
"Google PSE API Key": "",
"Google PSE Engine Id": "",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Much helo, {{name}}",
"Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Hide",
"Hide Model": "",
"Host": "",
"How can I help you today?": "How can I halp u today?",
"Hybrid Search": "",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "",
"Import Presets": "",
"Import Prompts": "Import Promptos",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Keyboard Barkcuts",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Manage Wowdels",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Manage Ollama Wowdels",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "",
"March": "",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} not found",
"Model {{modelName}} is not vision capable": "",
"Model {{name}} is now {{status}}": "",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem bark detected. Model shortname is required for update, cannot continue.",
"Model Filtering": "",
"Model ID": "",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model not selected",
"Model Params": "",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Wowdel Whitelisting",
"Model(s) Whitelisted": "Wowdel(s) Whitelisted",
"Modelfile Content": "Modelfile Content",
"Models": "Wowdels",
"Models Access": "",
"more": "",
"More": "",
"Move to Top": "",
"Name": "Name",
"Name your knowledge base": "",
"New Chat": "New Bark",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "",
"No search query generated": "",
"No source available": "No source available",
"No users were found.": "",
"No valves to update": "",
"None": "",
"Not factually correct": "",
@ -573,13 +598,13 @@
"Ollama": "",
"Ollama API": "",
"Ollama API disabled": "",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama Version",
"On": "On",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Looks like the URL is invalid. Please double-check and try again.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "",
"or": "or",
"Organize your users": "",
"Other": "",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
"Permissions": "",
"Personalization": "Personalization",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
"Prompt Content": "Prompt Content",
"Prompt created successfully": "",
"Prompt suggestions": "Prompt wowgestions",
"Prompt updated successfully": "",
"Prompts": "Promptos",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "Pull a wowdel from Ollama.com",
"Query Params": "Query Bark",
@ -711,13 +741,12 @@
"Seed": "Seed very plant",
"Select a base model": "",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Select a model much choice",
"Select a pipeline": "",
"Select a pipeline url": "",
"Select a tool": "",
"Select an Ollama instance": "Select an Ollama instance very choose",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Select model much choice",
@ -736,6 +765,7 @@
"Set as default": "Set as default very default",
"Set CFG Scale": "",
"Set Default Model": "Set Default Model much model",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "",
"Set Image Size": "Set Image Size very size",
"Set reranking model (e.g. {{model}})": "",
@ -760,7 +790,6 @@
"Show": "Show much show",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Show shortcuts much shortcut",
"Show your support!": "",
"Showcased creativity": "",
@ -790,7 +819,6 @@
"System": "System very system",
"System Instructions": "",
"System Prompt": "System Prompt much prompt",
"Tags": "Tags very tags",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -852,15 +880,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -900,13 +928,13 @@
"URL Mode": "URL Mode much mode",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Use Gravatar much avatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Use Initials much initial",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "user much user",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "User Permissions much permissions",
"Username": "",
"Users": "Users much users",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "variable to have them replaced with clipboard content. Very replace.",
"Version": "Version much version",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "Web very web",
"Web API": "",
@ -943,6 +973,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Write a prompt suggestion (e.g. Who are you?) much suggest",
"Write a summary in 50 words that summarizes [topic or keyword].": "Write a summary in 50 words that summarizes [topic or keyword]. Much summarize.",
"Write something...": "",
@ -951,8 +982,8 @@
"You": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "",
"You have shared this chat": "",
"You're a helpful assistant.": "You're a helpful assistant. Much helpful.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "",
"(latest)": "",
"{{ models }}": "",
"{{ owner }}: You cannot delete a base model": "",
"{{user}}'s Chats": "",
"{{webUIName}} Backend Required": "",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
"a user": "",
"About": "",
"Accessible to all users": "",
"Account": "",
"Account Activation Pending": "",
"Accurate information": "",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "",
"Add Files": "",
"Add Group": "",
"Add Memory": "",
"Add Model": "",
"Add Tag": "",
"Add Tags": "",
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "",
"admin": "",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "",
"All chats": "",
"All Documents": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "",
"Archive": "",
"Archive All Chats": "",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "",
"Check Again": "",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "",
"Color": "",
"ComfyUI": "",
"ComfyUI Base URL": "",
"ComfyUI Base URL is required.": "",
@ -178,10 +185,12 @@
"Copy Link": "",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "",
"Create": "",
"Create a knowledge base": "",
"Create a model": "",
"Create Account": "",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "",
"Create new secret key": "",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "",
"Default Model": "",
"Default model updated": "",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "",
"Download canceled": "",
"Download Database": "",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "",
"Export Presets": "",
"Export Prompts": "",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "",
"Google PSE API Key": "",
"Google PSE Engine Id": "",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "",
"Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "",
"Hide Model": "",
"Host": "",
"How can I help you today?": "",
"Hybrid Search": "",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "",
"Import Presets": "",
"Import Prompts": "",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "",
"March": "",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "",
"Model {{modelName}} is not vision capable": "",
"Model {{name}} is now {{status}}": "",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
"Model Filtering": "",
"Model ID": "",
"Model IDs": "",
"Model Name": "",
"Model not selected": "",
"Model Params": "",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "",
"Model(s) Whitelisted": "",
"Modelfile Content": "",
"Models": "",
"Models Access": "",
"more": "",
"More": "",
"Move to Top": "",
"Name": "",
"Name your knowledge base": "",
"New Chat": "",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "",
"No search query generated": "",
"No source available": "",
"No users were found.": "",
"No valves to update": "",
"None": "",
"Not factually correct": "",
@ -573,13 +598,13 @@
"Ollama": "",
"Ollama API": "",
"Ollama API disabled": "",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "",
"On": "",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "",
"or": "",
"Organize your users": "",
"Other": "",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "",
"Permissions": "",
"Personalization": "",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
"Prompt Content": "",
"Prompt created successfully": "",
"Prompt suggestions": "",
"Prompt updated successfully": "",
"Prompts": "",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "",
"Query Params": "",
@ -709,13 +739,12 @@
"Seed": "",
"Select a base model": "",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "",
"Select a pipeline": "",
"Select a pipeline url": "",
"Select a tool": "",
"Select an Ollama instance": "",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "",
@ -734,6 +763,7 @@
"Set as default": "",
"Set CFG Scale": "",
"Set Default Model": "",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "",
"Set Image Size": "",
"Set reranking model (e.g. {{model}})": "",
@ -758,7 +788,6 @@
"Show": "",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "",
"Show your support!": "",
"Showcased creativity": "",
@ -788,7 +817,6 @@
"System": "",
"System Instructions": "",
"System Prompt": "",
"Tags": "",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "",
"Username": "",
"Users": "",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "",
"You have shared this chat": "",
"You're a helpful assistant.": "",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "",
"(latest)": "",
"{{ models }}": "",
"{{ owner }}: You cannot delete a base model": "",
"{{user}}'s Chats": "",
"{{webUIName}} Backend Required": "",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
"a user": "",
"About": "",
"Accessible to all users": "",
"Account": "",
"Account Activation Pending": "",
"Accurate information": "",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "",
"Add Files": "",
"Add Group": "",
"Add Memory": "",
"Add Model": "",
"Add Tag": "",
"Add Tags": "",
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "",
"admin": "",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "",
"All chats": "",
"All Documents": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "",
"Archive": "",
"Archive All Chats": "",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "",
"Check Again": "",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "",
"Color": "",
"ComfyUI": "",
"ComfyUI Base URL": "",
"ComfyUI Base URL is required.": "",
@ -178,10 +185,12 @@
"Copy Link": "",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "",
"Create": "",
"Create a knowledge base": "",
"Create a model": "",
"Create Account": "",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "",
"Create new secret key": "",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "",
"Default Model": "",
"Default model updated": "",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "",
"Download canceled": "",
"Download Database": "",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "",
"Export Presets": "",
"Export Prompts": "",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "",
"Google PSE API Key": "",
"Google PSE Engine Id": "",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "",
"Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "",
"Hide Model": "",
"Host": "",
"How can I help you today?": "",
"Hybrid Search": "",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "",
"Import Presets": "",
"Import Prompts": "",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "",
"March": "",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "",
"Model {{modelName}} is not vision capable": "",
"Model {{name}} is now {{status}}": "",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
"Model Filtering": "",
"Model ID": "",
"Model IDs": "",
"Model Name": "",
"Model not selected": "",
"Model Params": "",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "",
"Model(s) Whitelisted": "",
"Modelfile Content": "",
"Models": "",
"Models Access": "",
"more": "",
"More": "",
"Move to Top": "",
"Name": "",
"Name your knowledge base": "",
"New Chat": "",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "",
"No search query generated": "",
"No source available": "",
"No users were found.": "",
"No valves to update": "",
"None": "",
"Not factually correct": "",
@ -573,13 +598,13 @@
"Ollama": "",
"Ollama API": "",
"Ollama API disabled": "",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "",
"On": "",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "",
"or": "",
"Organize your users": "",
"Other": "",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "",
"Permissions": "",
"Personalization": "",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
"Prompt Content": "",
"Prompt created successfully": "",
"Prompt suggestions": "",
"Prompt updated successfully": "",
"Prompts": "",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "",
"Query Params": "",
@ -709,13 +739,12 @@
"Seed": "",
"Select a base model": "",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "",
"Select a pipeline": "",
"Select a pipeline url": "",
"Select a tool": "",
"Select an Ollama instance": "",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "",
@ -734,6 +763,7 @@
"Set as default": "",
"Set CFG Scale": "",
"Set Default Model": "",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "",
"Set Image Size": "",
"Set reranking model (e.g. {{model}})": "",
@ -758,7 +788,6 @@
"Show": "",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "",
"Show your support!": "",
"Showcased creativity": "",
@ -788,7 +817,6 @@
"System": "",
"System Instructions": "",
"System Prompt": "",
"Tags": "",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "",
"Username": "",
"Users": "",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "",
"You have shared this chat": "",
"You're a helpful assistant.": "",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(p.ej. `sh webui.sh --api`)",
"(latest)": "(latest)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: No se puede eliminar un modelo base",
"{{user}}'s Chats": "Chats de {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido",
"*Prompt node ID(s) are required for image generation": "Los ID de nodo son requeridos para la generación de imágenes",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modelo de tareas se utiliza cuando se realizan tareas como la generación de títulos para chats y consultas de búsqueda web",
"a user": "un usuario",
"About": "Sobre nosotros",
"Accessible to all users": "",
"Account": "Cuenta",
"Account Activation Pending": "Activación de cuenta pendiente",
"Accurate information": "Información precisa",
@ -28,12 +28,14 @@
"Add content here": "Agrege contenido aquí",
"Add custom prompt": "Agregar un prompt personalizado",
"Add Files": "Agregar Archivos",
"Add Group": "",
"Add Memory": "Agregar Memoria",
"Add Model": "Agregar Modelo",
"Add Tag": "Agregar etiqueta",
"Add Tags": "agregar etiquetas",
"Add text content": "Añade contenido de texto",
"Add User": "Agregar Usuario",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ajustar estas opciones aplicará los cambios universalmente a todos los usuarios.",
"admin": "admin",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Parámetros avanzados",
"All chats": "",
"All Documents": "Todos los Documentos",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permitir Borrar Chats",
"Allow Chat Editing": "Permitir Editar Chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Permitir voces no locales",
"Allow Temporary Chat": "Permitir Chat Temporal",
"Allow User Location": "Permitir Ubicación del Usuario",
@ -62,6 +66,7 @@
"API keys": "Claves de la API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Abril",
"Archive": "Archivar",
"Archive All Chats": "Archivar todos los chats",
@ -115,6 +120,7 @@
"Chat Controls": "Controles de chat",
"Chat direction": "Dirección del Chat",
"Chat Overview": "Vista general del chat",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chats",
"Check Again": "Verifica de nuevo",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Se ha formateado correctamente el código.",
"Collection": "Colección",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL es requerido.",
@ -178,10 +185,12 @@
"Copy Link": "Copiar enlace",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "¡La copia al portapapeles se ha realizado correctamente!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Crear un modelo",
"Create Account": "Crear una cuenta",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Crear Conocimiento",
"Create new key": "Crear una nueva clave",
"Create new secret key": "Crear una nueva clave secreta",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Predeterminado (SentenceTransformers)",
"Default Model": "Modelo predeterminado",
"Default model updated": "El modelo por defecto ha sido actualizado",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Sugerencias de mensajes por defecto",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Descubre, descarga y explora herramientas personalizadas",
"Discover, download, and explore model presets": "Descubre, descarga y explora ajustes preestablecidos de modelos",
"Dismissible": "Desestimable",
"Display": "",
"Display Emoji in Call": "Muestra Emoji en llamada",
"Display the username instead of You in the Chat": "Mostrar el nombre de usuario en lugar de Usted en el chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Descargar",
"Download canceled": "Descarga cancelada",
"Download Database": "Descarga la Base de Datos",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Suelta cualquier archivo aquí para agregarlo a la conversación",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "p.ej. '30s','10m'. Unidades válidas de tiempo son 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Editar",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Editar Memoria",
"Edit User": "Editar Usuario",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Exportar Funciones",
"Export Models": "Exportar Modelos",
"Export Presets": "",
"Export Prompts": "Exportar Prompts",
"Export to CSV": "",
"Export Tools": "Exportar Herramientas",
@ -409,6 +425,11 @@
"Good Response": "Buena Respuesta",
"Google PSE API Key": "Clave API de Google PSE",
"Google PSE Engine Id": "ID del motor PSE de Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Retroalimentación háptica",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hola, {{name}}",
"Help": "Ayuda",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Esconder",
"Hide Model": "Esconder Modelo",
"Host": "",
"How can I help you today?": "¿Cómo puedo ayudarte hoy?",
"Hybrid Search": "Búsqueda Híbrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Importar Funciones",
"Import Models": "Importar modelos",
"Import Presets": "",
"Import Prompts": "Importar Prompts",
"Import Tools": "Importar Herramientas",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Atajos de teclado",
"Knowledge": "Conocimiento",
"Knowledge Access": "",
"Knowledge created successfully.": "Conocimiento creado exitosamente.",
"Knowledge deleted successfully.": "Conocimiento eliminado exitosamente.",
"Knowledge reset successfully.": "Conocimiento restablecido exitosamente.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Asegúrese de exportar un archivo workflow.json en formato API desde ComfyUI.",
"Manage": "Gestionar",
"Manage Arena Models": "",
"Manage Models": "Administrar Modelos",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Administrar Modelos Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Administrar Pipelines",
"March": "Marzo",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "El modelo {{modelId}} no fue encontrado",
"Model {{modelName}} is not vision capable": "El modelo {{modelName}} no es capaz de ver",
"Model {{name}} is now {{status}}": "El modelo {{name}} ahora es {{status}}",
"Model {{name}} is now at the top": "El modelo {{name}} está ahora en el tope",
"Model accepts image inputs": "El modelo acepta entradas de imagenes",
"Model created successfully!": "Modelo creado correctamente!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Se detectó la ruta del sistema de archivos del modelo. Se requiere el nombre corto del modelo para la actualización, no se puede continuar.",
"Model Filtering": "",
"Model ID": "ID del modelo",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modelo no seleccionado",
"Model Params": "Parámetros del modelo",
"Model Permissions": "",
"Model updated successfully": "Modelo actualizado correctamente",
"Model Whitelisting": "Listado de Modelos habilitados",
"Model(s) Whitelisted": "Modelo(s) habilitados",
"Modelfile Content": "Contenido del Modelfile",
"Models": "Modelos",
"Models Access": "",
"more": "",
"More": "Más",
"Move to Top": "Mueve al tope",
"Name": "Nombre",
"Name your knowledge base": "",
"New Chat": "Nuevo Chat",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Ningún archivo fué seleccionado",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "No se encontró contenido HTML, CSS, o JavaScript.",
"No knowledge found": "No se encontró ningún conocimiento",
"No model IDs": "",
"No models found": "",
"No results found": "No se han encontrado resultados",
"No search query generated": "No se ha generado ninguna consulta de búsqueda",
"No source available": "No hay fuente disponible",
"No users were found.": "",
"No valves to update": "No valves para actualizar",
"None": "Ninguno",
"Not factually correct": "No es correcto en todos los aspectos",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API de Ollama deshabilitada",
"Ollama API is disabled": "API de Ollama desactivada",
"Ollama API settings updated": "",
"Ollama Version": "Versión de Ollama",
"On": "Activado",
"Only alphanumeric characters and hyphens are allowed": "",
"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 collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, crear una nueva base de conocimientos para editar / añadir documentos",
"Only select users and groups with permission can access": "",
"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 are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Clave de OpenAI es requerida.",
"or": "o",
"Organize your users": "",
"Other": "Otro",
"OUTPUT": "",
"Output format": "Formato de salida",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Permiso denegado al acceder a los dispositivos",
"Permission denied when accessing microphone": "Permiso denegado al acceder a la micrófono",
"Permission denied when accessing microphone: {{error}}": "Permiso denegado al acceder al micrófono: {{error}}",
"Permissions": "",
"Personalization": "Personalización",
"Pin": "Fijar",
"Pinned": "Fijado",
@ -633,8 +660,11 @@
"Profile Image": "Imagen de perfil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por ejemplo, cuéntame una cosa divertida sobre el Imperio Romano)",
"Prompt Content": "Contenido del Prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Sugerencias de Prompts",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" de Ollama.com",
"Pull a model from Ollama.com": "Obtener un modelo de Ollama.com",
"Query Params": "Parámetros de consulta",
@ -710,13 +740,12 @@
"Seed": "Seed",
"Select a base model": "Seleccionar un modelo base",
"Select a engine": "Busca un motor",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Busca una función",
"Select a group": "",
"Select a model": "Selecciona un modelo",
"Select a pipeline": "Selección de una Pipeline",
"Select a pipeline url": "Selección de una dirección URL de Pipeline",
"Select a tool": "Busca una herramienta",
"Select an Ollama instance": "Seleccione una instancia de Ollama",
"Select Engine": "Selecciona Motor",
"Select Knowledge": "Selecciona Conocimiento",
"Select model": "Selecciona un modelo",
@ -735,6 +764,7 @@
"Set as default": "Establecer por defecto",
"Set CFG Scale": "Establecer la escala CFG",
"Set Default Model": "Establecer modelo predeterminado",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Establecer modelo de embedding (ej. {{model}})",
"Set Image Size": "Establecer tamaño de imagen",
"Set reranking model (e.g. {{model}})": "Establecer modelo de reranking (ej. {{model}})",
@ -759,7 +789,6 @@
"Show": "Mostrar",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Mostrar detalles de administración en la capa de espera de la cuenta",
"Show Model": "Mostrar Modelo",
"Show shortcuts": "Mostrar atajos",
"Show your support!": "¡Muestra tu apoyo!",
"Showcased creativity": "Creatividad mostrada",
@ -789,7 +818,6 @@
"System": "Sistema",
"System Instructions": "",
"System Prompt": "Prompt del sistema",
"Tags": "Etiquetas",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Toca para interrumpir",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens a mantener en el contexto de actualización (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Herramienta creada con éxito",
"Tool deleted successfully": "Herramienta eliminada con éxito",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Herramienta importada con éxito",
"Tool Name": "",
"Tool updated successfully": "Herramienta actualizada con éxito",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Herramientas",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Las herramientas son un sistema de llamada de funciones con código arbitrario",
"Tools have a function calling system that allows arbitrary code execution": "Las herramientas tienen un sistema de llamadas de funciones que permite la ejecución de código arbitrario",
"Tools have a function calling system that allows arbitrary code execution.": "Las herramientas tienen un sistema de llamada de funciones que permite la ejecución de código arbitrario.",
@ -899,13 +927,13 @@
"URL Mode": "Modo de URL",
"Use '#' in the prompt input to load and include your knowledge.": "Utilize '#' en el prompt para cargar y incluir su conocimiento.",
"Use Gravatar": "Usar Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Usar Iniciales",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "usuario",
"User": "",
"User location successfully retrieved.": "Localización del usuario recuperada con éxito.",
"User Permissions": "Permisos de usuario",
"Username": "",
"Users": "Usuarios",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variable para reemplazarlos con el contenido del portapapeles.",
"Version": "Versión",
"Version {{selectedVersion}} of {{totalVersions}}": "Versión {{selectedVersion}} de {{totalVersions}}",
"Visibility": "",
"Voice": "Voz",
"Voice Input": "",
"Warning": "Advertencia",
"Warning:": "Advertencia:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Advertencia: Si actualiza o cambia su modelo de inserción, necesitará volver a importar todos los documentos.",
"Web": "Web",
"Web API": "API Web",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Espacio de trabajo",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia para un prompt (por ejemplo, ¿quién eres?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escribe un resumen en 50 palabras que resuma [tema o palabra clave].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Usted",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Puede personalizar sus interacciones con LLMs añadiendo memorias a través del botón 'Gestionar' debajo, haciendo que sean más útiles y personalizados para usted.",
"You cannot clone a base model": "No se puede clonar un modelo base",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "No tiene conversaciones archivadas.",
"You have shared this chat": "Usted ha compartido esta conversación",
"You're a helpful assistant.": "Usted es un asistente útil.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(e.g. `sh webui.sh --api`)",
"(latest)": "(آخرین)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: شما نمی\u200cتوانید یک مدل پایه را حذف کنید",
"{{user}}'s Chats": "{{user}} گفتگوهای",
"{{webUIName}} Backend Required": "بکند {{webUIName}} نیاز است.",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "یک مدل وظیفه هنگام انجام وظایف مانند تولید عناوین برای چت ها و نمایش های جستجوی وب استفاده می شود.",
"a user": "یک کاربر",
"About": "درباره",
"Accessible to all users": "",
"Account": "حساب کاربری",
"Account Activation Pending": "فعال\u200cسازی حساب در حال انتظار",
"Accurate information": "اطلاعات دقیق",
@ -28,12 +28,14 @@
"Add content here": "محتوا را اینجا اضافه کنید",
"Add custom prompt": "افزودن یک درخواست سفارشی",
"Add Files": "افزودن فایل\u200cها",
"Add Group": "",
"Add Memory": "افزودن حافظه",
"Add Model": "افزودن مدل",
"Add Tag": "افزودن برچسب",
"Add Tags": "افزودن برچسب\u200cها",
"Add text content": "افزودن محتوای متنی",
"Add User": "افزودن کاربر",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "با تنظیم این تنظیمات، تغییرات به طور کلی برای همه کاربران اعمال می\u200cشود.",
"admin": "مدیر",
"Admin": "مدیر",
@ -44,8 +46,10 @@
"Advanced Params": "پارام\u200cهای پیشرفته",
"All chats": "همهٔ گفتگوها",
"All Documents": "همهٔ سند\u200cها",
"Allow Chat Delete": "",
"Allow Chat Deletion": "اجازهٔ حذف گفتگو",
"Allow Chat Editing": "اجازهٔ ویرایش گفتگو",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "اجازهٔ گفتگوی موقتی",
"Allow User Location": "اجازهٔ موقعیت مکانی کاربر",
@ -62,6 +66,7 @@
"API keys": "کلیدهای API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "آوریل",
"Archive": "بایگانی",
"Archive All Chats": "بایگانی همه گفتگوها",
@ -115,6 +120,7 @@
"Chat Controls": "کنترل\u200cهای گفتگو",
"Chat direction": "جهت\u200cگفتگو",
"Chat Overview": "نمای کلی گفتگو",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "تولید خودکار برچسب\u200cهای گفتگو",
"Chats": "گفتگو\u200cها",
"Check Again": "بررسی دوباره",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "مجموعه",
"Color": "",
"ComfyUI": "کومیوآی",
"ComfyUI Base URL": "URL پایه کومیوآی",
"ComfyUI Base URL is required.": "URL پایه کومیوآی الزامی است.",
@ -178,10 +185,12 @@
"Copy Link": "کپی لینک",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "کپی کردن در کلیپ بورد با موفقیت انجام شد!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "ایجاد یک مدل",
"Create Account": "ساخت حساب کاربری",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "ساخت کلید جدید",
"Create new secret key": "ساخت کلید gehez جدید",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "پیشفرض (SentenceTransformers)",
"Default Model": "مدل پیشفرض",
"Default model updated": "مدل پیشفرض به\u200cروزرسانی شد",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "پیشنهادات پرامپت پیش فرض",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "پیش تنظیمات مدل را کشف، دانلود و کاوش کنید",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "نمایش نام کاربری به جای «شما» در چت",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "دانلود کن",
"Download canceled": "دانلود لغو شد",
"Download Database": "دانلود پایگاه داده",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "هر فایلی را اینجا رها کنید تا به مکالمه اضافه شود",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "به طور مثال '30s','10m'. واحد\u200cهای زمانی معتبر 's', 'm', 'h' هستند.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "ویرایش",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "ویرایش کاربر",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "ایمیل",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "برون\u200cریزی پیکربندی به پروندهٔ JSON",
"Export Functions": "برون\u200cریزی توابع",
"Export Models": "برون\u200cریزی مدل\u200cها",
"Export Presets": "",
"Export Prompts": "برون\u200cریزی پرامپت\u200cها",
"Export to CSV": "",
"Export Tools": "برون\u200cریزی ابزارها",
@ -409,6 +425,11 @@
"Good Response": "پاسخ خوب",
"Google PSE API Key": "گوگل PSE API کلید",
"Google PSE Engine Id": "شناسه موتور PSE گوگل",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "سلام، {{name}}",
"Help": "کمک",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "پنهان\u200cسازی",
"Hide Model": "پنهان\u200cسازی مدل",
"Host": "",
"How can I help you today?": "امروز چطور می توانم کمک تان کنم؟",
"Hybrid Search": "جستجوی همزمان",
@ -432,6 +454,7 @@
"Import Config from JSON File": "درون\u200cریزی از پروندهٔ JSON",
"Import Functions": "درون\u200cریزی توابع",
"Import Models": "درون\u200cریزی مدل\u200cها",
"Import Presets": "",
"Import Prompts": "درون\u200cریزی پرامپت\u200cها",
"Import Tools": "درون\u200cریزی ابزارها",
"Include": "شامل",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "میانبرهای صفحه کلید",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "مدیریت مدل\u200cها",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "مدیریت مدل\u200cهای اولاما",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "مدیریت خطوط لوله",
"March": "مارچ",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "مدل {{modelId}} یافت نشد",
"Model {{modelName}} is not vision capable": "مدل {{modelName}} قادر به بینایی نیست",
"Model {{name}} is now {{status}}": "مدل {{name}} در حال حاضر {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "مسیر فایل سیستم مدل یافت شد. برای بروزرسانی نیاز است نام کوتاه مدل وجود داشته باشد.",
"Model Filtering": "",
"Model ID": "شناسه مدل",
"Model IDs": "",
"Model Name": "",
"Model not selected": "مدل انتخاب نشده",
"Model Params": "مدل پارامز",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "لیست سفید مدل",
"Model(s) Whitelisted": "مدل در لیست سفید ثبت شد",
"Modelfile Content": "محتویات فایل مدل",
"Models": "مدل\u200cها",
"Models Access": "",
"more": "",
"More": "بیشتر",
"Move to Top": "",
"Name": "نام",
"Name your knowledge base": "",
"New Chat": "گپ جدید",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "نتیجه\u200cای یافت نشد",
"No search query generated": "پرسوجوی جستجویی ایجاد نشده است",
"No source available": "منبعی در دسترس نیست",
"No users were found.": "",
"No valves to update": "",
"None": "هیچ کدام",
"Not factually correct": "اشتباهی فکری نیست",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API Ollama غیرفعال شد",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "نسخه اولاما",
"On": "روشن",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Key OpenAI مورد نیاز است.",
"or": "یا",
"Organize your users": "",
"Other": "دیگر",
"OUTPUT": "خروجی",
"Output format": "قالب خروجی",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "هنگام دسترسی به میکروفون، اجازه داده نشد: {{error}}",
"Permissions": "",
"Personalization": "شخصی سازی",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "تصویر پروفایل",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "پیشنهاد (برای مثال: به من بگوید چیزی که برای من یک کاربرد داره درباره ایران)",
"Prompt Content": "محتویات پرامپت",
"Prompt created successfully": "",
"Prompt suggestions": "پیشنهادات پرامپت",
"Prompt updated successfully": "",
"Prompts": "پرامپت\u200cها",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "بازگرداندن \"{{searchValue}}\" از Ollama.com",
"Pull a model from Ollama.com": "دریافت یک مدل از Ollama.com",
"Query Params": "پارامترهای پرس و جو",
@ -709,13 +739,12 @@
"Seed": "",
"Select a base model": "انتخاب یک مدل پایه",
"Select a engine": "انتخاب یک موتور",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "انتخاب یک تابع",
"Select a group": "",
"Select a model": "انتخاب یک مدل",
"Select a pipeline": "انتخاب یک خط لوله",
"Select a pipeline url": "یک ادرس خط لوله را انتخاب کنید",
"Select a tool": "انتخاب یک ابقزار",
"Select an Ollama instance": "انتخاب یک نمونه از اولاما",
"Select Engine": "انتخاب موتور",
"Select Knowledge": "انتخاب دانش",
"Select model": "انتخاب یک مدل",
@ -734,6 +763,7 @@
"Set as default": "تنظیم به عنوان پیشفرض",
"Set CFG Scale": "",
"Set Default Model": "تنظیم مدل پیش فرض",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "تنظیم مدل پیچشی (برای مثال {{model}})",
"Set Image Size": "تنظیم اندازه تصویر",
"Set reranking model (e.g. {{model}})": "تنظیم مدل ری\u200cراینگ (برای مثال {{model}})",
@ -758,7 +788,6 @@
"Show": "نمایش",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "نمایش مدل",
"Show shortcuts": "نمایش میانبرها",
"Show your support!": "",
"Showcased creativity": "ایده\u200cآفرینی",
@ -788,7 +817,6 @@
"System": "سیستم",
"System Instructions": "",
"System Prompt": "پرامپت سیستم",
"Tags": "تگ\u200cها",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "حالت URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "استفاده از گراواتار",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "استفاده از سرواژه",
"use_mlock (Ollama)": "use_mlock (اولاما)",
"use_mmap (Ollama)": "use_mmap (اولاما)",
"user": "کاربر",
"User": "کاربر",
"User location successfully retrieved.": "موقعیت مکانی کاربر با موفقیت دریافت شد.",
"User Permissions": "مجوزهای کاربر",
"Username": "",
"Users": "کاربران",
"Using the default arena model with all models. Click the plus button to add custom models.": "در حال استفاده از مدل آرنا با همهٔ مدل\u200cهای دیگر به طور پیش\u200cفرض. برای افزودن مدل\u200cهای سفارشی، روی دکمه به\u200cعلاوه کلیک کنید.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "متغیر برای جایگزینی آنها با محتوای بریده\u200cدان.",
"Version": "نسخه",
"Version {{selectedVersion}} of {{totalVersions}}": "نسخهٔ {{selectedVersion}} از {{totalVersions}}",
"Visibility": "",
"Voice": "صوت",
"Voice Input": "ورودی صوتی",
"Warning": "هشدار",
"Warning:": "هشدار",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "هشدار: اگر شما به روز کنید یا تغییر دهید مدل شما، باید تمام سند ها را مجددا وارد کنید.",
"Web": "وب",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "محیط کار",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "یک پیشنهاد پرامپت بنویسید (مثلاً شما کی هستید؟)",
"Write a summary in 50 words that summarizes [topic or keyword].": "خلاصه ای در 50 کلمه بنویسید که [موضوع یا کلمه کلیدی] را خلاصه کند.",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "شما",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "شما در هر زمان نهایتا می\u200cتوانید با {{maxCount}} پرونده گفتگو کنید.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "شما نمیتوانید یک مدل پایه را کلون کنید",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "شما هیچ گفتگوی ذخیره شده ندارید.",
"You have shared this chat": "شما این گفتگو را به اشتراک گذاشته اید",
"You're a helpful assistant.": "تو یک دستیار سودمند هستی.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(esim. `sh webui.sh --api`)",
"(latest)": "(uusin)",
"{{ models }}": "{{ mallit }}",
"{{ owner }}: You cannot delete a base model": "{{ omistaja }}: Perusmallia ei voi poistaa",
"{{user}}'s Chats": "{{user}}:n keskustelut",
"{{webUIName}} Backend Required": "{{webUIName}} backend vaaditaan",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Tehtävämallia käytetään tehtävien suorittamiseen, kuten otsikoiden luomiseen keskusteluille ja verkkohakukyselyille",
"a user": "käyttäjä",
"About": "Tietoja",
"Accessible to all users": "",
"Account": "Tili",
"Account Activation Pending": "",
"Accurate information": "Tarkkaa tietoa",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Lisää mukautettu kehote",
"Add Files": "Lisää tiedostoja",
"Add Group": "",
"Add Memory": "Lisää muistia",
"Add Model": "Lisää malli",
"Add Tag": "",
"Add Tags": "Lisää tageja",
"Add text content": "",
"Add User": "Lisää käyttäjä",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Näiden asetusten säätäminen vaikuttaa kaikkiin käyttäjiin.",
"admin": "hallinta",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "Edistyneet parametrit",
"All chats": "",
"All Documents": "Kaikki asiakirjat",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Salli keskustelujen poisto",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API-avaimet",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "huhtikuu",
"Archive": "Arkisto",
"Archive All Chats": "Arkistoi kaikki keskustelut",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Keskustelun suunta",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Keskustelut",
"Check Again": "Tarkista uudelleen",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Kokoelma",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI-perus-URL",
"ComfyUI Base URL is required.": "ComfyUI-perus-URL vaaditaan.",
@ -178,10 +185,12 @@
"Copy Link": "Kopioi linkki",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Kopioiminen leikepöydälle onnistui!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Mallin luominen",
"Create Account": "Luo tili",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Luo uusi avain",
"Create new secret key": "Luo uusi salainen avain",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Oletus (SentenceTransformers)",
"Default Model": "Oletusmalli",
"Default model updated": "Oletusmalli päivitetty",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Oletuskehotteiden ehdotukset",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Löydä ja lataa mallien esiasetuksia",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Näytä käyttäjänimi keskustelussa",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Lataa",
"Download canceled": "Lataus peruutettu",
"Download Database": "Lataa tietokanta",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Pudota tiedostoja tähän lisätäksesi ne keskusteluun",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "esim. '30s', '10m'. Kelpoiset aikayksiköt ovat 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Muokkaa",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Muokkaa käyttäjää",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Sähköposti",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Vie malleja",
"Export Presets": "",
"Export Prompts": "Vie kehotteet",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Hyvä vastaus",
"Google PSE API Key": "Google PSE API -avain",
"Google PSE Engine Id": "Google PSE -moduulin tunnus",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Terve, {{name}}",
"Help": "Apua",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Piilota",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Kuinka voin auttaa tänään?",
"Hybrid Search": "Hybridihaku",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Mallien tuominen",
"Import Presets": "",
"Import Prompts": "Tuo kehotteita",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Pikanäppäimet",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Hallitse malleja",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Hallitse Ollama-malleja",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Hallitse putkia",
"March": "maaliskuu",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Mallia {{modelId}} ei löytynyt",
"Model {{modelName}} is not vision capable": "Malli {{modelName}} ei kykene näkökykyyn",
"Model {{name}} is now {{status}}": "Malli {{name}} on nyt {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Mallin tiedostojärjestelmäpolku havaittu. Mallin lyhytnimi vaaditaan päivitykseen, ei voi jatkaa.",
"Model Filtering": "",
"Model ID": "Mallin tunnus",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Mallia ei valittu",
"Model Params": "Mallin parametrit",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Mallin sallimislista",
"Model(s) Whitelisted": "Malli(t) sallittu",
"Modelfile Content": "Mallitiedoston sisältö",
"Models": "Mallit",
"Models Access": "",
"more": "",
"More": "Lisää",
"Move to Top": "",
"Name": "Nimi",
"Name your knowledge base": "",
"New Chat": "Uusi keskustelu",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Ei tuloksia",
"No search query generated": "Hakukyselyä ei luotu",
"No source available": "Ei lähdettä saatavilla",
"No users were found.": "",
"No valves to update": "",
"None": "Ei lainkaan",
"Not factually correct": "Ei faktisesti oikein",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API poistettu käytöstä",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama-versio",
"On": "Päällä",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että URL on virheellinen. Tarkista se ja yritä uudelleen.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/ -avain vaaditaan.",
"or": "tai",
"Organize your users": "",
"Other": "Muu",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Mikrofonin käyttöoikeus evätty: {{error}}",
"Permissions": "",
"Personalization": "Henkilökohtaisuus",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Profiilikuva",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Kehote (esim. Kerro hauska fakta Turusta)",
"Prompt Content": "Kehotteen sisältö",
"Prompt created successfully": "",
"Prompt suggestions": "Kehotteen ehdotukset",
"Prompt updated successfully": "",
"Prompts": "Kehotteet",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Lataa \"{{searchValue}}\" Ollama.comista",
"Pull a model from Ollama.com": "Lataa malli Ollama.comista",
"Query Params": "Kyselyparametrit",
@ -709,13 +739,12 @@
"Seed": "Siemen",
"Select a base model": "Valitse perusmalli",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Valitse malli",
"Select a pipeline": "Valitse putki",
"Select a pipeline url": "Valitse putken URL-osoite",
"Select a tool": "",
"Select an Ollama instance": "Valitse Ollama-instanssi",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Valitse malli",
@ -734,6 +763,7 @@
"Set as default": "Aseta oletukseksi",
"Set CFG Scale": "",
"Set Default Model": "Aseta oletusmalli",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Aseta upotusmalli (esim. {{model}})",
"Set Image Size": "Aseta kuvan koko",
"Set reranking model (e.g. {{model}})": "Aseta uudelleenpisteytysmalli (esim. {{model}})",
@ -758,7 +788,6 @@
"Show": "Näytä",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Näytä pikanäppäimet",
"Show your support!": "",
"Showcased creativity": "Näytti luovuutta",
@ -788,7 +817,6 @@
"System": "Järjestelmä",
"System Instructions": "",
"System Prompt": "Järjestelmäkehote",
"Tags": "Tagit",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL-tila",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Käytä Gravataria",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Käytä alkukirjaimia",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "käyttäjä",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Käyttäjäoikeudet",
"Username": "",
"Users": "Käyttäjät",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "muuttuja korvataan leikepöydän sisällöllä.",
"Version": "Versio",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Varoitus",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Varoitus: Jos päivität tai vaihdat upotusmallia, sinun on tuotava kaikki asiakirjat uudelleen.",
"Web": "Web",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Työtilat",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Kirjoita ehdotettu kehote (esim. Kuka olet?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Kirjoita 50 sanan yhteenveto, joka tiivistää [aihe tai avainsana].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "Sinä",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "Perusmallia ei voi kloonata",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Sinulla ei ole arkistoituja keskusteluja.",
"You have shared this chat": "Olet jakanut tämän keskustelun",
"You're a helpful assistant.": "Olet avulias apulainen.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(par exemple `sh webui.sh --api`)",
"(latest)": "(dernier)",
"{{ models }}": "{{ modèles }}",
"{{ owner }}: You cannot delete a base model": "{{ propriétaire }} : Vous ne pouvez pas supprimer un modèle de base.",
"{{user}}'s Chats": "Discussions de {{user}}",
"{{webUIName}} Backend Required": "Backend {{webUIName}} requis",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de lexécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.",
"a user": "un utilisateur",
"About": "À propos",
"Accessible to all users": "",
"Account": "Compte",
"Account Activation Pending": "Activation du compte en attente",
"Accurate information": "Information exacte",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Ajouter une prompt personnalisée",
"Add Files": "Ajouter des fichiers",
"Add Group": "",
"Add Memory": "Ajouter de la mémoire",
"Add Model": "Ajouter un modèle",
"Add Tag": "",
"Add Tags": "Ajouter des balises",
"Add text content": "",
"Add User": "Ajouter un Utilisateur",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "L'ajustement de ces paramètres appliquera universellement les changements à tous les utilisateurs.",
"admin": "administrateur",
"Admin": "Administrateur",
@ -44,8 +46,10 @@
"Advanced Params": "Paramètres avancés",
"All chats": "",
"All Documents": "Tous les documents",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Autoriser la suppression de l'historique de chat",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Autoriser les voix non locales",
"Allow Temporary Chat": "",
"Allow User Location": "Autoriser l'emplacement de l'utilisateur",
@ -62,6 +66,7 @@
"API keys": "Clés d'API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Avril",
"Archive": "Archivage",
"Archive All Chats": "Archiver toutes les conversations",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Direction du chat",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Conversations",
"Check Again": "Vérifiez à nouveau.",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Le code a été formaté avec succès",
"Collection": "Collection",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL de base ComfyUI",
"ComfyUI Base URL is required.": "L'URL de base ComfyUI est requise.",
@ -178,10 +185,12 @@
"Copy Link": "Copier le lien",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Créer un modèle",
"Create Account": "Créer un compte",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Créer une nouvelle clé principale",
"Create new secret key": "Créer une nouvelle clé secrète",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Par défaut (Sentence Transformers)",
"Default Model": "Modèle standard",
"Default model updated": "Modèle par défaut mis à jour",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Suggestions de prompts par défaut",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés",
"Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles",
"Dismissible": "Fermeture",
"Display": "",
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans le Chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Télécharger",
"Download canceled": "Téléchargement annulé",
"Download Database": "Télécharger la base de données",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Déposez des fichiers ici pour les ajouter à la conversation",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "par ex. '30s', '10 min'. Les unités de temps valides sont 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Modifier",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Modifier la mémoire",
"Edit User": "Modifier l'utilisateur",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "E-mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Exportez les Fonctions",
"Export Models": "Exporter les modèles",
"Export Presets": "",
"Export Prompts": "Exporter les Prompts",
"Export to CSV": "",
"Export Tools": "Outils d'exportation",
@ -409,6 +425,11 @@
"Good Response": "Bonne réponse",
"Google PSE API Key": "Clé API Google PSE",
"Google PSE Engine Id": "ID du moteur de recherche personnalisé de Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Bonjour, {{name}}.",
"Help": "Aide",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Cacher",
"Hide Model": "Masquer le modèle",
"Host": "",
"How can I help you today?": "Comment puis-je vous être utile aujourd'hui ?",
"Hybrid Search": "Recherche hybride",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Import de fonctions",
"Import Models": "Importer des modèles",
"Import Presets": "",
"Import Prompts": "Importer des Enseignes",
"Import Tools": "Outils d'importation",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Raccourcis clavier",
"Knowledge": "Connaissance",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Gérer",
"Manage Arena Models": "",
"Manage Models": "Gérer les Modèles",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gérer les modèles Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gérer les pipelines",
"March": "Mars",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modèle {{modelId}} introuvable",
"Model {{modelName}} is not vision capable": "Le modèle {{modelName}} n'a pas de capacités visuelles",
"Model {{name}} is now {{status}}": "Le modèle {{name}} est désormais {{status}}.",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "Le modèle a été créé avec succès !",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
"Model Filtering": "",
"Model ID": "ID du modèle",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modèle non sélectionné",
"Model Params": "Paramètres du modèle",
"Model Permissions": "",
"Model updated successfully": "Le modèle a été mis à jour avec succès",
"Model Whitelisting": "Liste blanche de modèles",
"Model(s) Whitelisted": "Modèle(s) Autorisé(s)",
"Modelfile Content": "Contenu du Fichier de Modèle",
"Models": "Modèles",
"Models Access": "",
"more": "",
"More": "Plus de",
"Move to Top": "",
"Name": "Nom",
"Name your knowledge base": "",
"New Chat": "Nouvelle conversation",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Aucun fichier sélectionné",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Aucun résultat trouvé",
"No search query generated": "Aucune requête de recherche générée",
"No source available": "Aucune source n'est disponible",
"No users were found.": "",
"No valves to update": "Aucune vanne à mettre à jour",
"None": "Aucun",
"Not factually correct": "Non factuellement correct",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama désactivée",
"Ollama API is disabled": "L'API Ollama est désactivée",
"Ollama API settings updated": "",
"Ollama Version": "Version Ollama améliorée",
"On": "Activé",
"Only alphanumeric characters and hyphens are allowed": "",
"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 collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Clé OpenAI requise.",
"or": "ou",
"Organize your users": "",
"Other": "Autre",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Accès aux appareils multimédias refusé",
"Permission denied when accessing microphone": "Autorisation refusée lors de l'accès au micro",
"Permission denied when accessing microphone: {{error}}": "Permission refusée lors de l'accès au microphone : {{error}}",
"Permissions": "",
"Personalization": "Personnalisation",
"Pin": "Épingler",
"Pinned": "Épinglé",
@ -633,8 +660,11 @@
"Profile Image": "Image de profil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)",
"Prompt Content": "Contenu du prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Suggestions pour le prompt",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com",
"Pull a model from Ollama.com": "Télécharger un modèle depuis Ollama.com",
"Query Params": "Paramètres de requête",
@ -710,13 +740,12 @@
"Seed": "Graine",
"Select a base model": "Sélectionnez un modèle de base",
"Select a engine": "Sélectionnez un moteur",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Sélectionnez une fonction",
"Select a group": "",
"Select a model": "Sélectionnez un modèle",
"Select a pipeline": "Sélectionnez un pipeline",
"Select a pipeline url": "Sélectionnez l'URL du pipeline",
"Select a tool": "Sélectionnez un outil",
"Select an Ollama instance": "Sélectionnez une instance Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Sélectionnez un modèle",
@ -735,6 +764,7 @@
"Set as default": "Définir comme valeur par défaut",
"Set CFG Scale": "",
"Set Default Model": "Définir le modèle par défaut",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Définir le modèle d'encodage (par ex. {{model}})",
"Set Image Size": "Définir la taille de l'image",
"Set reranking model (e.g. {{model}})": "Définir le modèle de reclassement (par ex. {{model}})",
@ -759,7 +789,6 @@
"Show": "Montrer",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Afficher les détails de l'administrateur dans la superposition en attente du compte",
"Show Model": "Montrer le modèle",
"Show shortcuts": "Afficher les raccourcis",
"Show your support!": "Montre ton soutien !",
"Showcased creativity": "Créativité mise en avant",
@ -789,7 +818,6 @@
"System": "Système",
"System Instructions": "",
"System Prompt": "Prompt du système",
"Tags": "Balises",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Appuyez pour interrompre",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Jeton à conserver pour l'actualisation du contexte (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "L'outil a été créé avec succès",
"Tool deleted successfully": "Outil supprimé avec succès",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Outil importé avec succès",
"Tool Name": "",
"Tool updated successfully": "L'outil a été mis à jour avec succès",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Outils",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "Mode d'URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Utilisez Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Utiliser les initiales",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "utiliser mmap (Ollama)",
"user": "utilisateur",
"User": "",
"User location successfully retrieved.": "L'emplacement de l'utilisateur a été récupéré avec succès.",
"User Permissions": "Permissions utilisateur",
"Username": "",
"Users": "Utilisateurs",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variable pour qu'elles soient remplacées par le contenu du presse-papiers.",
"Version": "Version améliorée",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Voix",
"Voice Input": "",
"Warning": "Avertissement !",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertissement : Si vous mettez à jour ou modifiez votre modèle d'encodage, vous devrez réimporter tous les documents.",
"Web": "Web",
"Web API": "API Web",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Espace de travail",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Écrivez une suggestion de prompt (par exemple : Qui êtes-vous ?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Rédigez un résumé de 50 mots qui résume [sujet ou mot-clé].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Vous",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Vous pouvez personnaliser vos interactions avec les LLM en ajoutant des souvenirs via le bouton 'Gérer' ci-dessous, ce qui les rendra plus utiles et adaptés à vos besoins.",
"You cannot clone a base model": "Vous ne pouvez pas cloner un modèle de base",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Vous n'avez aucune conversation archivée",
"You have shared this chat": "Vous avez partagé cette conversation.",
"You're a helpful assistant.": "Vous êtes un assistant serviable.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(par exemple `sh webui.sh --api`)",
"(latest)": "(dernière version)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }} : Vous ne pouvez pas supprimer un modèle de base.",
"{{user}}'s Chats": "Conversations de {{user}}",
"{{webUIName}} Backend Required": "Backend {{webUIName}} requis",
"*Prompt node ID(s) are required for image generation": "*Les ID de noeud du prompt sont nécessaires pour la génération dimages",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de lexécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.",
"a user": "un utilisateur",
"About": "À propos",
"Accessible to all users": "",
"Account": "Compte",
"Account Activation Pending": "Activation du compte en attente",
"Accurate information": "Information exacte",
@ -28,12 +28,14 @@
"Add content here": "Ajoutez du contenu ici",
"Add custom prompt": "Ajouter un prompt personnalisé",
"Add Files": "Ajouter des fichiers",
"Add Group": "",
"Add Memory": "Ajouter de la mémoire",
"Add Model": "Ajouter un modèle",
"Add Tag": "Ajouter un tag",
"Add Tags": "Ajouter des tags",
"Add text content": "Ajouter du contenu textuel",
"Add User": "Ajouter un utilisateur",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "L'ajustement de ces paramètres appliquera universellement les changements à tous les utilisateurs.",
"admin": "administrateur",
"Admin": "Administrateur",
@ -44,8 +46,10 @@
"Advanced Params": "Paramètres avancés",
"All chats": "Toutes les conversations",
"All Documents": "Tous les documents",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Autoriser la suppression de l'historique de chat",
"Allow Chat Editing": "Autoriser la modification de l'historique de chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Autoriser les voix non locales",
"Allow Temporary Chat": "Autoriser le chat éphémère",
"Allow User Location": "Autoriser l'emplacement de l'utilisateur",
@ -62,6 +66,7 @@
"API keys": "Clés d'API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Avril",
"Archive": "Archiver",
"Archive All Chats": "Archiver toutes les conversations",
@ -115,6 +120,7 @@
"Chat Controls": "Contrôles du chat",
"Chat direction": "Direction du chat",
"Chat Overview": "Aperçu du chat",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Génération automatique des tags",
"Chats": "Conversations",
"Check Again": "Vérifiez à nouveau.",
@ -145,6 +151,7 @@
"Code execution": "Exécution de code",
"Code formatted successfully": "Le code a été formaté avec succès",
"Collection": "Collection",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL de base ComfyUI",
"ComfyUI Base URL is required.": "L'URL de base ComfyUI est requise.",
@ -178,10 +185,12 @@
"Copy Link": "Copier le lien",
"Copy to clipboard": "Copier dans le presse-papiers",
"Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Créer un modèle",
"Create Account": "Créer un compte",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Créer une connaissance",
"Create new key": "Créer une nouvelle clé",
"Create new secret key": "Créer une nouvelle clé secrète",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Par défaut (Sentence Transformers)",
"Default Model": "Modèle standard",
"Default model updated": "Modèle par défaut mis à jour",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Suggestions de prompts par défaut",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés",
"Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles",
"Dismissible": "Fermeture",
"Display": "",
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans le chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Télécharger",
"Download canceled": "Téléchargement annulé",
"Download Database": "Télécharger la base de données",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Match nul",
"Drop any files here to add to the conversation": "Déposez des fichiers ici pour les ajouter à la conversation",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "par ex. '30s', '10 min'. Les unités de temps valides sont 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Modifier",
"Edit Arena Model": "Modifier le modèle d'arène",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Modifier la mémoire",
"Edit User": "Modifier l'utilisateur",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "E-mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exporter la configuration vers un fichier JSON",
"Export Functions": "Exporter des fonctions",
"Export Models": "Exporter des modèles",
"Export Presets": "",
"Export Prompts": "Exporter des prompts",
"Export to CSV": "",
"Export Tools": "Exporter des outils",
@ -409,6 +425,11 @@
"Good Response": "Bonne réponse",
"Google PSE API Key": "Clé API Google PSE",
"Google PSE Engine Id": "ID du moteur de recherche PSE de Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Retour haptique",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Bonjour, {{name}}.",
"Help": "Aide",
"Help us create the best community leaderboard by sharing your feedback history!": "Aidez-nous à créer le meilleur classement communautaire en partageant votre historique des avis !",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Cacher",
"Hide Model": "Masquer le modèle",
"Host": "",
"How can I help you today?": "Comment puis-je vous aider aujourd'hui ?",
"Hybrid Search": "Recherche hybride",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importer la configuration depuis un fichier JSON",
"Import Functions": "Importer des fonctions",
"Import Models": "Importer des modèles",
"Import Presets": "",
"Import Prompts": "Importer des prompts",
"Import Tools": "Importer des outils",
"Include": "Inclure",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Raccourcis clavier",
"Knowledge": "Connaissances",
"Knowledge Access": "",
"Knowledge created successfully.": "Connaissance créée avec succès.",
"Knowledge deleted successfully.": "Connaissance supprimée avec succès.",
"Knowledge reset successfully.": "Connaissance réinitialisée avec succès.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Veillez à exporter un fichier workflow.json au format API depuis ComfyUI.",
"Manage": "Gérer",
"Manage Arena Models": "Gérer les modèles d'arène",
"Manage Models": "Gérer les modèles",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gérer les modèles Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gérer les pipelines",
"March": "Mars",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modèle {{modelId}} introuvable",
"Model {{modelName}} is not vision capable": "Le modèle {{modelName}} n'a pas de capacités visuelles",
"Model {{name}} is now {{status}}": "Le modèle {{name}} est désormais {{status}}.",
"Model {{name}} is now at the top": "Le modèle {{name}} est désormais en haut",
"Model accepts image inputs": "Le modèle accepte les images en entrée",
"Model created successfully!": "Le modèle a été créé avec succès !",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
"Model Filtering": "",
"Model ID": "ID du modèle",
"Model IDs": "",
"Model Name": "Nom du modèle",
"Model not selected": "Modèle non sélectionné",
"Model Params": "Paramètres du modèle",
"Model Permissions": "",
"Model updated successfully": "Le modèle a été mis à jour avec succès",
"Model Whitelisting": "Liste blanche de modèles",
"Model(s) Whitelisted": "Modèle(s) Autorisé(s)",
"Modelfile Content": "Contenu du Fichier de Modèle",
"Models": "Modèles",
"Models Access": "",
"more": "plus",
"More": "Plus",
"Move to Top": "Déplacer en haut",
"Name": "Nom d'utilisateur",
"Name your knowledge base": "",
"New Chat": "Nouvelle conversation",
@ -549,12 +571,15 @@
"No feedbacks found": "Aucun avis trouvé",
"No file selected": "Aucun fichier sélectionné",
"No files found.": "Aucun fichier trouvé.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Aucun contenu HTML, CSS ou JavaScript trouvé.",
"No knowledge found": "Aucune connaissance trouvée",
"No model IDs": "",
"No models found": "Aucun modèle trouvé",
"No results found": "Aucun résultat trouvé",
"No search query generated": "Aucune requête de recherche générée",
"No source available": "Aucune source n'est disponible",
"No users were found.": "",
"No valves to update": "Aucune vanne à mettre à jour",
"None": "Aucun",
"Not factually correct": "Non factuellement correct",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama désactivée",
"Ollama API is disabled": "L'API Ollama est désactivée",
"Ollama API settings updated": "",
"Ollama Version": "Version Ollama",
"On": "Activé",
"Only alphanumeric characters and hyphens are allowed": "",
"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 collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Oups ! Des fichiers sont encore en cours de téléversement. Veuillez patienter jusqu'à la fin du téléversement.",
"Oops! There was an error in the previous response.": "Oups ! Il y a eu une erreur dans la réponse précédente.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Clé OpenAI requise.",
"or": "ou",
"Organize your users": "",
"Other": "Autre",
"OUTPUT": "SORTIE",
"Output format": "Format de sortie",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Accès aux appareils multimédias refusé",
"Permission denied when accessing microphone": "Autorisation refusée lors de l'accès au micro",
"Permission denied when accessing microphone: {{error}}": "Permission refusée lors de l'accès au microphone : {{error}}",
"Permissions": "",
"Personalization": "Personnalisation",
"Pin": "Épingler",
"Pinned": "Épinglé",
@ -633,8 +660,11 @@
"Profile Image": "Image de profil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)",
"Prompt Content": "Contenu du prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Suggestions pour le prompt",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com",
"Pull a model from Ollama.com": "Télécharger un modèle depuis Ollama.com",
"Query Params": "Paramètres de requête",
@ -710,13 +740,12 @@
"Seed": "Seed",
"Select a base model": "Sélectionnez un modèle de base",
"Select a engine": "Sélectionnez un moteur",
"Select a file to view or drag and drop a file to upload": "Sélectionnez un fichier à afficher ou faites glisser et déposez un fichier à téléverser",
"Select a function": "Sélectionnez une fonction",
"Select a group": "",
"Select a model": "Sélectionnez un modèle",
"Select a pipeline": "Sélectionnez un pipeline",
"Select a pipeline url": "Sélectionnez l'URL du pipeline",
"Select a tool": "Sélectionnez un outil",
"Select an Ollama instance": "Sélectionnez une instance Ollama",
"Select Engine": "Sélectionnez le moteur",
"Select Knowledge": "Sélectionnez une connaissance",
"Select model": "Sélectionner un modèle",
@ -735,6 +764,7 @@
"Set as default": "Définir comme valeur par défaut",
"Set CFG Scale": "Définir la CFG",
"Set Default Model": "Définir le modèle par défaut",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Définir le modèle d'embedding (par ex. {{model}})",
"Set Image Size": "Définir la taille de l'image",
"Set reranking model (e.g. {{model}})": "Définir le modèle de ré-ranking (par ex. {{model}})",
@ -759,7 +789,6 @@
"Show": "Afficher",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Afficher les coordonnées de l'administrateur aux comptes en attente",
"Show Model": "Afficher le modèle",
"Show shortcuts": "Afficher les raccourcis",
"Show your support!": "Montrez votre soutien !",
"Showcased creativity": "Créativité mise en avant",
@ -789,7 +818,6 @@
"System": "Système",
"System Instructions": "Instructions système",
"System Prompt": "Prompt système",
"Tags": "Tags",
"Tags Generation Prompt": "Prompt de génération de tags",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Appuyez pour interrompre",
@ -851,15 +879,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens à conserver lors du rafraîchissement du contexte (num_keep)",
"Too verbose": "Trop détaillé",
"Tool": "Outil",
"Tool created successfully": "L'outil a été créé avec succès",
"Tool deleted successfully": "Outil supprimé avec succès",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Outil importé avec succès",
"Tool Name": "",
"Tool updated successfully": "L'outil a été mis à jour avec succès",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Outils",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Les outils sont un système d'appel de fonction avec exécution de code arbitraire",
"Tools have a function calling system that allows arbitrary code execution": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire",
"Tools have a function calling system that allows arbitrary code execution.": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire.",
@ -899,13 +927,13 @@
"URL Mode": "Mode d'URL",
"Use '#' in the prompt input to load and include your knowledge.": "Utilisez '#' dans la zone de saisie du prompt pour charger et inclure vos connaissances.",
"Use Gravatar": "Utiliser Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Utiliser les initiales",
"use_mlock (Ollama)": "Utiliser mlock (Ollama)",
"use_mmap (Ollama)": "Utiliser mmap (Ollama)",
"user": "utilisateur",
"User": "Utilisateur",
"User location successfully retrieved.": "L'emplacement de l'utilisateur a été récupéré avec succès.",
"User Permissions": "Permissions utilisateur",
"Username": "",
"Users": "Utilisateurs",
"Using the default arena model with all models. Click the plus button to add custom models.": "Utilisation du modèle d'arène par défaut avec tous les modèles. Cliquez sur le bouton plus pour ajouter des modèles personnalisés.",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variable pour qu'elles soient remplacées par le contenu du presse-papiers.",
"Version": "version:",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} de {{totalVersions}}",
"Visibility": "",
"Voice": "Voix",
"Voice Input": "Saisie vocale",
"Warning": "Avertissement",
"Warning:": "Avertissement :",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertissement : Si vous mettez à jour ou modifiez votre modèle d'embedding, vous devrez réimporter tous les documents.",
"Web": "Web",
"Web API": "API Web",
@ -942,6 +972,7 @@
"Won": "Gagné",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Espace de travail",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Écrivez une suggestion de prompt (par exemple : Qui êtes-vous ?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Rédigez un résumé de 50 mots qui résume [sujet ou mot-clé].",
"Write something...": "Écrivez quelque chose...",
@ -950,8 +981,8 @@
"You": "Vous",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Vous ne pouvez discuter qu'avec un maximum de {{maxCount}} fichier(s) à la fois.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Vous pouvez personnaliser vos interactions avec les LLM en ajoutant des mémoires à l'aide du bouton « Gérer » ci-dessous, ce qui les rendra plus utiles et mieux adaptées à vos besoins.",
"You cannot clone a base model": "Vous ne pouvez pas cloner un modèle de base",
"You cannot upload an empty file.": "Vous ne pouvez pas envoyer un fichier vide.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Vous n'avez aucune conversation archivée.",
"You have shared this chat": "Vous avez partagé cette conversation.",
"You're a helpful assistant.": "Vous êtes un assistant efficace.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(למשל `sh webui.sh --api`)",
"(latest)": "(האחרון)",
"{{ models }}": "{{ דגמים }}",
"{{ owner }}: You cannot delete a base model": "{{ בעלים }}: לא ניתן למחוק מודל בסיס",
"{{user}}'s Chats": "צ'אטים של {{user}}",
"{{webUIName}} Backend Required": "נדרש Backend של {{webUIName}}",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "מודל משימה משמש בעת ביצוע משימות כגון יצירת כותרות עבור צ'אטים ושאילתות חיפוש באינטרנט",
"a user": "משתמש",
"About": "אודות",
"Accessible to all users": "",
"Account": "חשבון",
"Account Activation Pending": "",
"Accurate information": "מידע מדויק",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "הוסף פקודה מותאמת אישית",
"Add Files": "הוסף קבצים",
"Add Group": "",
"Add Memory": "הוסף זיכרון",
"Add Model": "הוסף מודל",
"Add Tag": "",
"Add Tags": "הוסף תגים",
"Add text content": "",
"Add User": "הוסף משתמש",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "התאמת הגדרות אלו תחול על כל המשתמשים.",
"admin": "מנהל",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "פרמטרים מתקדמים",
"All chats": "",
"All Documents": "כל המסמכים",
"Allow Chat Delete": "",
"Allow Chat Deletion": "אפשר מחיקת צ'אט",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "מפתחות API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "אפריל",
"Archive": "ארכיון",
"Archive All Chats": "אחסן בארכיון את כל הצ'אטים",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "כיוון צ'אט",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "צ'אטים",
"Check Again": "בדוק שוב",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "אוסף",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "כתובת URL בסיסית של ComfyUI",
"ComfyUI Base URL is required.": "נדרשת כתובת URL בסיסית של ComfyUI",
@ -178,10 +185,12 @@
"Copy Link": "העתק קישור",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "ההעתקה ללוח הייתה מוצלחת!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "יצירת מודל",
"Create Account": "צור חשבון",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "צור מפתח חדש",
"Create new secret key": "צור מפתח סודי חדש",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "ברירת מחדל (SentenceTransformers)",
"Default Model": "מודל ברירת מחדל",
"Default model updated": "המודל המוגדר כברירת מחדל עודכן",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "הצעות ברירת מחדל לפקודות",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "גלה, הורד, וחקור הגדרות מודל מוגדרות מראש",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "הצג את שם המשתמש במקום 'אתה' בצ'אט",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "הורד",
"Download canceled": "ההורדה בוטלה",
"Download Database": "הורד מסד נתונים",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "גרור כל קובץ לכאן כדי להוסיף לשיחה",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "למשל '30s', '10m'. יחידות זמן חוקיות הן 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "ערוך",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "ערוך משתמש",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "דוא\"ל",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "ייצוא מודלים",
"Export Presets": "",
"Export Prompts": "ייצוא פקודות",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "תגובה טובה",
"Google PSE API Key": "מפתח API של Google PSE",
"Google PSE Engine Id": "מזהה מנוע PSE של Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "שלום, {{name}}",
"Help": "עזרה",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "הסתר",
"Hide Model": "",
"Host": "",
"How can I help you today?": "כיצד אוכל לעזור לך היום?",
"Hybrid Search": "חיפוש היברידי",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "ייבוא דגמים",
"Import Presets": "",
"Import Prompts": "יבוא פקודות",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "קיצורי מקלדת",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "נהל מודלים",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "נהל מודלים של Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "ניהול צינורות",
"March": "מרץ",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "המודל {{modelId}} לא נמצא",
"Model {{modelName}} is not vision capable": "דגם {{modelName}} אינו בעל יכולת ראייה",
"Model {{name}} is now {{status}}": "דגם {{name}} הוא כעת {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "נתיב מערכת הקבצים של המודל זוהה. נדרש שם קצר של המודל לעדכון, לא ניתן להמשיך.",
"Model Filtering": "",
"Model ID": "מזהה דגם",
"Model IDs": "",
"Model Name": "",
"Model not selected": "לא נבחר מודל",
"Model Params": "פרמס מודל",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "רישום לבן של מודלים",
"Model(s) Whitelisted": "מודלים שנכללו ברשימה הלבנה",
"Modelfile Content": "תוכן קובץ מודל",
"Models": "מודלים",
"Models Access": "",
"more": "",
"More": "עוד",
"Move to Top": "",
"Name": "שם",
"Name your knowledge base": "",
"New Chat": "צ'אט חדש",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "לא נמצאו תוצאות",
"No search query generated": "לא נוצרה שאילתת חיפוש",
"No source available": "אין מקור זמין",
"No users were found.": "",
"No valves to update": "",
"None": "ללא",
"Not factually correct": "לא נכון מבחינה עובדתית",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API מושבת",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "גרסת Ollama",
"On": "פועל",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "נדרשת כתובת URL/מפתח של OpenAI.",
"or": "או",
"Organize your users": "",
"Other": "אחר",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "ההרשאה נדחתה בעת גישה למיקרופון: {{error}}",
"Permissions": "",
"Personalization": "תאור",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "תמונת פרופיל",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "פקודה (למשל, ספר לי עובדה מעניינת על האימפריה הרומית)",
"Prompt Content": "תוכן הפקודה",
"Prompt created successfully": "",
"Prompt suggestions": "הצעות לפקודות",
"Prompt updated successfully": "",
"Prompts": "פקודות",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "משוך \"{{searchValue}}\" מ-Ollama.com",
"Pull a model from Ollama.com": "משוך מודל מ-Ollama.com",
"Query Params": "פרמטרי שאילתה",
@ -710,13 +740,12 @@
"Seed": "זרע",
"Select a base model": "בחירת מודל בסיס",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "בחר מודל",
"Select a pipeline": "בחר קו צינור",
"Select a pipeline url": "בחר כתובת URL של קו צינור",
"Select a tool": "",
"Select an Ollama instance": "בחר מופע של Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "בחר מודל",
@ -735,6 +764,7 @@
"Set as default": "הגדר כברירת מחדל",
"Set CFG Scale": "",
"Set Default Model": "הגדר מודל ברירת מחדל",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "הגדר מודל הטמעה (למשל {{model}})",
"Set Image Size": "הגדר גודל תמונה",
"Set reranking model (e.g. {{model}})": "הגדר מודל דירוג מחדש (למשל {{model}})",
@ -759,7 +789,6 @@
"Show": "הצג",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "הצג קיצורי דרך",
"Show your support!": "",
"Showcased creativity": "הצגת יצירתיות",
@ -789,7 +818,6 @@
"System": "מערכת",
"System Instructions": "",
"System Prompt": "תגובת מערכת",
"Tags": "תגיות",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "מצב URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "שימוש ב Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "שימוש ב initials",
"use_mlock (Ollama)": "use_mlock (אולמה)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "משתמש",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "הרשאות משתמש",
"Username": "",
"Users": "משתמשים",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "משתנה להחליפו ב- clipboard תוכן.",
"Version": "גרסה",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "אזהרה",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "אזהרה: אם תעדכן או תשנה את מודל ההטבעה שלך, יהיה עליך לייבא מחדש את כל המסמכים.",
"Web": "רשת",
"Web API": "",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "סביבה",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "כתוב הצעה מהירה (למשל, מי אתה?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "כתוב סיכום ב-50 מילים שמסכם [נושא או מילת מפתח].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "אתה",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "לא ניתן לשכפל מודל בסיס",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "אין לך שיחות בארכיון.",
"You have shared this chat": "שיתפת את השיחה הזו",
"You're a helpful assistant.": "אתה עוזר מועיל.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(e.g. `sh webui.sh --api`)",
"(latest)": "(latest)",
"{{ models }}": "{{ मॉडल }}",
"{{ owner }}: You cannot delete a base model": "{{ मालिक }}: आप बेस मॉडल को हटा नहीं सकते",
"{{user}}'s Chats": "{{user}} की चैट",
"{{webUIName}} Backend Required": "{{webUIName}} बैकएंड आवश्यक",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "चैट और वेब खोज क्वेरी के लिए शीर्षक उत्पन्न करने जैसे कार्य करते समय कार्य मॉडल का उपयोग किया जाता है",
"a user": "एक उपयोगकर्ता",
"About": "हमारे बारे में",
"Accessible to all users": "",
"Account": "खाता",
"Account Activation Pending": "",
"Accurate information": "सटीक जानकारी",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "अनुकूल संकेत जोड़ें",
"Add Files": "फाइलें जोड़ें",
"Add Group": "",
"Add Memory": "मेमोरी जोड़ें",
"Add Model": "मॉडल जोड़ें",
"Add Tag": "",
"Add Tags": "टैगों को जोड़ें",
"Add text content": "",
"Add User": "उपयोगकर्ता जोड़ें",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "इन सेटिंग्स को समायोजित करने से परिवर्तन सभी उपयोगकर्ताओं पर सार्वभौमिक रूप से लागू होंगे।",
"admin": "व्यवस्थापक",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "उन्नत परम",
"All chats": "",
"All Documents": "सभी डॉक्यूमेंट्स",
"Allow Chat Delete": "",
"Allow Chat Deletion": "चैट हटाने की अनुमति दें",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "एपीआई कुंजियाँ",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "अप्रैल",
"Archive": "पुरालेख",
"Archive All Chats": "सभी चैट संग्रहीत करें",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "चैट दिशा",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "सभी चैट",
"Check Again": "फिर से जाँचो",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "संग्रह",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI बेस यूआरएल",
"ComfyUI Base URL is required.": "ComfyUI का बेस यूआरएल आवश्यक है",
@ -178,10 +185,12 @@
"Copy Link": "लिंक को कॉपी करें",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "क्लिपबोर्ड पर कॉपी बनाना सफल रहा!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "एक मॉडल बनाएं",
"Create Account": "खाता बनाएं",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "नया क्रिप्टोग्राफिक क्षेत्र बनाएं",
"Create new secret key": "नया क्रिप्टोग्राफिक क्षेत्र बनाएं",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "डिफ़ॉल्ट (SentenceTransformers)",
"Default Model": "डिफ़ॉल्ट मॉडल",
"Default model updated": "डिफ़ॉल्ट मॉडल अपडेट किया गया",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "डिफ़ॉल्ट प्रॉम्प्ट सुझाव",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "मॉडल प्रीसेट खोजें, डाउनलोड करें और एक्सप्लोर करें",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "चैट में 'आप' के स्थान पर उपयोगकर्ता नाम प्रदर्शित करें",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "डाउनलोड",
"Download canceled": "डाउनलोड रद्द किया गया",
"Download Database": "डेटाबेस डाउनलोड करें",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "बातचीत में जोड़ने के लिए कोई भी फ़ाइल यहां छोड़ें",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "जैसे '30s', '10m', मान्य समय इकाइयाँ 's', 'm', 'h' हैं।",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "संपादित करें",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "यूजर को संपादित करो",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "ईमेल",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "निर्यात मॉडल",
"Export Presets": "",
"Export Prompts": "प्रॉम्प्ट निर्यात करें",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "अच्छी प्रतिक्रिया",
"Google PSE API Key": "Google PSE API कुंजी",
"Google PSE Engine Id": "Google PSE इंजन आईडी",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "नमस्ते, {{name}}",
"Help": "मदद",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "छुपाएं",
"Hide Model": "",
"Host": "",
"How can I help you today?": "आज मैं आपकी कैसे मदद कर सकता हूँ?",
"Hybrid Search": "हाइब्रिड खोज",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "आयात मॉडल",
"Import Presets": "",
"Import Prompts": "प्रॉम्प्ट आयात करें",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "कीबोर्ड शॉर्टकट",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "मॉडल प्रबंधित करें",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama मॉडल प्रबंधित करें",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "पाइपलाइनों का प्रबंधन करें",
"March": "मार्च",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "मॉडल {{modelId}} नहीं मिला",
"Model {{modelName}} is not vision capable": "मॉडल {{modelName}} दृष्टि सक्षम नहीं है",
"Model {{name}} is now {{status}}": "मॉडल {{name}} अब {{status}} है",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "मॉडल फ़ाइल सिस्टम पथ का पता चला. अद्यतन के लिए मॉडल संक्षिप्त नाम आवश्यक है, जारी नहीं रखा जा सकता।",
"Model Filtering": "",
"Model ID": "मॉडल आईडी",
"Model IDs": "",
"Model Name": "",
"Model not selected": "मॉडल चयनित नहीं है",
"Model Params": "मॉडल Params",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "मॉडल श्वेतसूचीकरण करें",
"Model(s) Whitelisted": "मॉडल श्वेतसूची में है",
"Modelfile Content": "मॉडल फ़ाइल सामग्री",
"Models": "सभी मॉडल",
"Models Access": "",
"more": "",
"More": "और..",
"Move to Top": "",
"Name": "नाम",
"Name your knowledge base": "",
"New Chat": "नई चैट",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "कोई परिणाम नहीं मिला",
"No search query generated": "कोई खोज क्वेरी जनरेट नहीं हुई",
"No source available": "कोई स्रोत उपलब्ध नहीं है",
"No users were found.": "",
"No valves to update": "",
"None": "कोई नहीं",
"Not factually correct": "तथ्यात्मक रूप से सही नहीं है",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "ओलामा एपीआई",
"Ollama API disabled": "ओलामा एपीआई अक्षम",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama Version",
"On": "चालू",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Key आवश्यक है।",
"or": "या",
"Organize your users": "",
"Other": "अन्य",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "माइक्रोफ़ोन तक पहुँचने पर अनुमति अस्वीकृत: {{error}}",
"Permissions": "",
"Personalization": "पेरसनलाइज़मेंट",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "प्रोफ़ाइल छवि",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "प्रॉम्प्ट (उदाहरण के लिए मुझे रोमन साम्राज्य के बारे में एक मजेदार तथ्य बताएं)",
"Prompt Content": "प्रॉम्प्ट सामग्री",
"Prompt created successfully": "",
"Prompt suggestions": "प्रॉम्प्ट सुझाव",
"Prompt updated successfully": "",
"Prompts": "प्रॉम्प्ट",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" को Ollama.com से खींचें",
"Pull a model from Ollama.com": "Ollama.com से एक मॉडल खींचें",
"Query Params": "क्वेरी पैरामीटर",
@ -709,13 +739,12 @@
"Seed": "सीड्\u200c",
"Select a base model": "एक आधार मॉडल का चयन करें",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "एक मॉडल चुनें",
"Select a pipeline": "एक पाइपलाइन का चयन करें",
"Select a pipeline url": "एक पाइपलाइन url चुनें",
"Select a tool": "",
"Select an Ollama instance": "एक Ollama Instance चुनें",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "मॉडल चुनें",
@ -734,6 +763,7 @@
"Set as default": "डिफाल्ट के रूप में सेट",
"Set CFG Scale": "",
"Set Default Model": "डिफ़ॉल्ट मॉडल सेट करें",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ईम्बेडिंग मॉडल सेट करें (उदाहरण: {{model}})",
"Set Image Size": "छवि का आकार सेट करें",
"Set reranking model (e.g. {{model}})": "रीकरण मॉडल सेट करें (उदाहरण: {{model}})",
@ -758,7 +788,6 @@
"Show": "दिखाओ",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "शॉर्टकट दिखाएँ",
"Show your support!": "",
"Showcased creativity": "रचनात्मकता का प्रदर्शन किया",
@ -788,7 +817,6 @@
"System": "सिस्टम",
"System Instructions": "",
"System Prompt": "सिस्टम प्रॉम्प्ट",
"Tags": "टैग",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL मोड",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gravatar का प्रयोग करें",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "प्रथमाक्षर का प्रयोग करें",
"use_mlock (Ollama)": "use_mlock (ओलामा)",
"use_mmap (Ollama)": "use_mmap (ओलामा)",
"user": "उपयोगकर्ता",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "उपयोगकर्ता अनुमतियाँ",
"Username": "",
"Users": "उपयोगकर्ताओं",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "उन्हें क्लिपबोर्ड सामग्री से बदलने के लिए वेरिएबल।",
"Version": "संस्करण",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "चेतावनी",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "चेतावनी: यदि आप अपने एम्बेडिंग मॉडल को अपडेट या बदलते हैं, तो आपको सभी दस्तावेज़ों को फिर से आयात करने की आवश्यकता होगी।",
"Web": "वेब",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "वर्कस्पेस",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "एक त्वरित सुझाव लिखें (जैसे कि आप कौन हैं?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "50 शब्दों में एक सारांश लिखें जो [विषय या कीवर्ड] का सारांश प्रस्तुत करता हो।",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "आप",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "आप बेस मॉडल का क्लोन नहीं बना सकते",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "आपको कोई अंकित चैट नहीं है।",
"You have shared this chat": "आपने इस चैट को शेयर किया है",
"You're a helpful assistant.": "आप एक सहायक सहायक हैं",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(npr. `sh webui.sh --api`)",
"(latest)": "(najnovije)",
"{{ models }}": "{{ modeli }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Ne možete obrisati osnovni model",
"{{user}}'s Chats": "Razgovori korisnika {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadatka koristi se pri izvođenju zadataka kao što su generiranje naslova za razgovore i upite za pretraživanje weba",
"a user": "korisnik",
"About": "O aplikaciji",
"Accessible to all users": "",
"Account": "Račun",
"Account Activation Pending": "",
"Accurate information": "Točne informacije",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Dodaj prilagođeni prompt",
"Add Files": "Dodaj datoteke",
"Add Group": "",
"Add Memory": "Dodaj memoriju",
"Add Model": "Dodaj model",
"Add Tag": "",
"Add Tags": "Dodaj oznake",
"Add text content": "",
"Add User": "Dodaj korisnika",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Podešavanje će se primijeniti univerzalno na sve korisnike.",
"admin": "administrator",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Napredni parametri",
"All chats": "",
"All Documents": "Svi dokumenti",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Dopusti brisanje razgovora",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Dopusti nelokalne glasove",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API ključevi",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Travanj",
"Archive": "Arhiva",
"Archive All Chats": "Arhivirajte sve razgovore",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Razgovor - smijer",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Razgovori",
"Check Again": "Provjeri ponovo",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Kolekcija",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI osnovni URL",
"ComfyUI Base URL is required.": "Potreban je ComfyUI osnovni URL.",
@ -178,10 +185,12 @@
"Copy Link": "Kopiraj vezu",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Kopiranje u međuspremnik je uspješno!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Izradite model",
"Create Account": "Stvori račun",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Stvori novi ključ",
"Create new secret key": "Stvori novi tajni ključ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Zadano (SentenceTransformers)",
"Default Model": "Zadani model",
"Default model updated": "Zadani model ažuriran",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Zadani prijedlozi prompta",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele",
"Dismissible": "Odbaciti",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Preuzimanje",
"Download canceled": "Preuzimanje otkazano",
"Download Database": "Preuzmi bazu podataka",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Spustite bilo koje datoteke ovdje za dodavanje u razgovor",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "npr. '30s','10m'. Važeće vremenske jedinice su 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Uredi",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Uredi korisnika",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Izvoz modela",
"Export Presets": "",
"Export Prompts": "Izvoz prompta",
"Export to CSV": "",
"Export Tools": "Izvoz alata",
@ -409,6 +425,11 @@
"Good Response": "Dobar odgovor",
"Google PSE API Key": "Google PSE API ključ",
"Google PSE Engine Id": "ID Google PSE modula",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Bok, {{name}}",
"Help": "Pomoć",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Sakrij",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Kako vam mogu pomoći danas?",
"Hybrid Search": "Hibridna pretraga",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Uvoz modela",
"Import Presets": "",
"Import Prompts": "Uvoz prompta",
"Import Tools": "Uvoz alata",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Tipkovnički prečaci",
"Knowledge": "Znanje",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Upravljaj",
"Manage Arena Models": "",
"Manage Models": "Upravljanje modelima",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Upravljanje Ollama modelima",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Upravljanje cjevovodima",
"March": "Ožujak",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} nije pronađen",
"Model {{modelName}} is not vision capable": "Model {{modelName}} ne čita vizualne impute",
"Model {{name}} is now {{status}}": "Model {{name}} sada je {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
"Model Filtering": "",
"Model ID": "ID modela",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model nije odabran",
"Model Params": "Model parametri",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Model - Bijela lista",
"Model(s) Whitelisted": "Model(i) na bijeloj listi",
"Modelfile Content": "Sadržaj datoteke modela",
"Models": "Modeli",
"Models Access": "",
"more": "",
"More": "Više",
"Move to Top": "",
"Name": "Ime",
"Name your knowledge base": "",
"New Chat": "Novi razgovor",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Nema rezultata",
"No search query generated": "Nije generiran upit za pretraživanje",
"No source available": "Nema dostupnog izvora",
"No users were found.": "",
"No valves to update": "",
"None": "Ništa",
"Not factually correct": "Nije činjenično točno",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API je onemogućen",
"Ollama API is disabled": "Ollama API je onemogućen",
"Ollama API settings updated": "",
"Ollama Version": "Ollama verzija",
"On": "Uključeno",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Potreban je OpenAI URL/ključ.",
"or": "ili",
"Organize your users": "",
"Other": "Ostalo",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Dopuštenje je odbijeno prilikom pristupa medijskim uređajima",
"Permission denied when accessing microphone": "Dopuštenje je odbijeno prilikom pristupa mikrofonu",
"Permission denied when accessing microphone: {{error}}": "Pristup mikrofonu odbijen: {{error}}",
"Permissions": "",
"Personalization": "Prilagodba",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Profilna slika",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)",
"Prompt Content": "Sadržaj prompta",
"Prompt created successfully": "",
"Prompt suggestions": "Prijedlozi prompta",
"Prompt updated successfully": "",
"Prompts": "Prompti",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com",
"Pull a model from Ollama.com": "Povucite model s Ollama.com",
"Query Params": "Parametri upita",
@ -710,13 +740,12 @@
"Seed": "Sjeme",
"Select a base model": "Odabir osnovnog modela",
"Select a engine": "Odaberite pogon",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Odaberite model",
"Select a pipeline": "Odabir kanala",
"Select a pipeline url": "Odabir URL-a kanala",
"Select a tool": "",
"Select an Ollama instance": "Odaberite Ollama instancu",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Odaberite model",
@ -735,6 +764,7 @@
"Set as default": "Postavi kao zadano",
"Set CFG Scale": "",
"Set Default Model": "Postavi zadani model",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Postavi model za embedding (npr. {{model}})",
"Set Image Size": "Postavi veličinu slike",
"Set reranking model (e.g. {{model}})": "Postavi model za ponovno rangiranje (npr. {{model}})",
@ -759,7 +789,6 @@
"Show": "Pokaži",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Pokaži prečace",
"Show your support!": "",
"Showcased creativity": "Prikazana kreativnost",
@ -789,7 +818,6 @@
"System": "Sustav",
"System Instructions": "",
"System Prompt": "Sistemski prompt",
"Tags": "Oznake",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Alati",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "URL način",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Koristi Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Koristi inicijale",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "korisnik",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Korisnička dopuštenja",
"Username": "",
"Users": "Korisnici",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "varijabla za zamjenu sadržajem međuspremnika.",
"Version": "Verzija",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Upozorenje",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Upozorenje: Ako ažurirate ili promijenite svoj model za umetanje, morat ćete ponovno uvesti sve dokumente.",
"Web": "Web",
"Web API": "Web API",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Radna ploča",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Napišite prijedlog prompta (npr. Tko si ti?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Napišite sažetak u 50 riječi koji sažima [temu ili ključnu riječ].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Vi",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Možete personalizirati svoje interakcije s LLM-ima dodavanjem uspomena putem gumba 'Upravljanje' u nastavku, čineći ih korisnijima i prilagođenijima vama.",
"You cannot clone a base model": "Ne možete klonirati osnovni model",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Nemate arhiviranih razgovora.",
"You have shared this chat": "Podijelili ste ovaj razgovor",
"You're a helpful assistant.": "Vi ste korisni asistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(pl. `sh webui.sh --api`)",
"(latest)": "(legújabb)",
"{{ models }}": "{{ modellek }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Nem törölhetsz alap modellt",
"{{user}}'s Chats": "{{user}} beszélgetései",
"{{webUIName}} Backend Required": "{{webUIName}} Backend szükséges",
"*Prompt node ID(s) are required for image generation": "*Prompt node ID(k) szükségesek a képgeneráláshoz",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "A feladat modell olyan feladatokhoz használatos, mint a beszélgetések címeinek generálása és webes keresési lekérdezések",
"a user": "egy felhasználó",
"About": "Névjegy",
"Accessible to all users": "",
"Account": "Fiók",
"Account Activation Pending": "Fiók aktiválása folyamatban",
"Accurate information": "Pontos információ",
@ -28,12 +28,14 @@
"Add content here": "Tartalom hozzáadása ide",
"Add custom prompt": "Egyéni prompt hozzáadása",
"Add Files": "Fájlok hozzáadása",
"Add Group": "",
"Add Memory": "Memória hozzáadása",
"Add Model": "Modell hozzáadása",
"Add Tag": "Címke hozzáadása",
"Add Tags": "Címkék hozzáadása",
"Add text content": "Szöveges tartalom hozzáadása",
"Add User": "Felhasználó hozzáadása",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ezen beállítások módosítása minden felhasználóra érvényes lesz.",
"admin": "admin",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Haladó paraméterek",
"All chats": "Minden beszélgetés",
"All Documents": "Minden dokumentum",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Beszélgetések törlésének engedélyezése",
"Allow Chat Editing": "Beszélgetések szerkesztésének engedélyezése",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Nem helyi hangok engedélyezése",
"Allow Temporary Chat": "Ideiglenes beszélgetés engedélyezése",
"Allow User Location": "Felhasználói helyzet engedélyezése",
@ -62,6 +66,7 @@
"API keys": "API kulcsok",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Április",
"Archive": "Archiválás",
"Archive All Chats": "Minden beszélgetés archiválása",
@ -115,6 +120,7 @@
"Chat Controls": "Beszélgetés vezérlők",
"Chat direction": "Beszélgetés iránya",
"Chat Overview": "Beszélgetés áttekintés",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Beszélgetés címkék automatikus generálása",
"Chats": "Beszélgetések",
"Check Again": "Ellenőrzés újra",
@ -145,6 +151,7 @@
"Code execution": "Kód végrehajtás",
"Code formatted successfully": "Kód sikeresen formázva",
"Collection": "Gyűjtemény",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI alap URL",
"ComfyUI Base URL is required.": "ComfyUI alap URL szükséges.",
@ -178,10 +185,12 @@
"Copy Link": "Link másolása",
"Copy to clipboard": "Másolás a vágólapra",
"Copying to clipboard was successful!": "Sikeres másolás a vágólapra!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Modell létrehozása",
"Create Account": "Fiók létrehozása",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Tudás létrehozása",
"Create new key": "Új kulcs létrehozása",
"Create new secret key": "Új titkos kulcs létrehozása",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Alapértelmezett (SentenceTransformers)",
"Default Model": "Alapértelmezett modell",
"Default model updated": "Alapértelmezett modell frissítve",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Alapértelmezett prompt javaslatok",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Fedezz fel, tölts le és fedezz fel egyéni eszközöket",
"Discover, download, and explore model presets": "Fedezz fel, tölts le és fedezz fel modell beállításokat",
"Dismissible": "Elutasítható",
"Display": "",
"Display Emoji in Call": "Emoji megjelenítése hívásban",
"Display the username instead of You in the Chat": "Felhasználónév megjelenítése a 'Te' helyett a beszélgetésben",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Letöltés",
"Download canceled": "Letöltés megszakítva",
"Download Database": "Adatbázis letöltése",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Rajzolás",
"Drop any files here to add to the conversation": "Húzz ide fájlokat a beszélgetéshez való hozzáadáshoz",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "pl. '30s','10m'. Érvényes időegységek: 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Szerkesztés",
"Edit Arena Model": "Arena modell szerkesztése",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Memória szerkesztése",
"Edit User": "Felhasználó szerkesztése",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Konfiguráció exportálása JSON fájlba",
"Export Functions": "Funkciók exportálása",
"Export Models": "Modellek exportálása",
"Export Presets": "",
"Export Prompts": "Promptok exportálása",
"Export to CSV": "",
"Export Tools": "Eszközök exportálása",
@ -409,6 +425,11 @@
"Good Response": "Jó válasz",
"Google PSE API Key": "Google PSE API kulcs",
"Google PSE Engine Id": "Google PSE motor azonosító",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Tapintási visszajelzés",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Helló, {{name}}",
"Help": "Segítség",
"Help us create the best community leaderboard by sharing your feedback history!": "Segíts nekünk a legjobb közösségi ranglista létrehozásában a visszajelzési előzményeid megosztásával!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Elrejtés",
"Hide Model": "Modell elrejtése",
"Host": "",
"How can I help you today?": "Hogyan segíthetek ma?",
"Hybrid Search": "Hibrid keresés",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Konfiguráció importálása JSON fájlból",
"Import Functions": "Funkciók importálása",
"Import Models": "Modellek importálása",
"Import Presets": "",
"Import Prompts": "Promptok importálása",
"Import Tools": "Eszközök importálása",
"Include": "Tartalmaz",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Billentyűparancsok",
"Knowledge": "Tudásbázis",
"Knowledge Access": "",
"Knowledge created successfully.": "Tudásbázis sikeresen létrehozva.",
"Knowledge deleted successfully.": "Tudásbázis sikeresen törölve.",
"Knowledge reset successfully.": "Tudásbázis sikeresen visszaállítva.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Győződjön meg róla, hogy exportál egy workflow.json fájlt API formátumban a ComfyUI-ból.",
"Manage": "Kezelés",
"Manage Arena Models": "Arena modellek kezelése",
"Manage Models": "Modellek kezelése",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama modellek kezelése",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Folyamatok kezelése",
"March": "Március",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "A {{modelId}} modell nem található",
"Model {{modelName}} is not vision capable": "A {{modelName}} modell nem képes képfeldolgozásra",
"Model {{name}} is now {{status}}": "A {{name}} modell most {{status}} állapotban van",
"Model {{name}} is now at the top": "A {{name}} modell most a lista tetején van",
"Model accepts image inputs": "A modell elfogad képbemenetet",
"Model created successfully!": "Modell sikeresen létrehozva!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell fájlrendszer útvonal észlelve. A modell rövid neve szükséges a frissítéshez, nem folytatható.",
"Model Filtering": "",
"Model ID": "Modell azonosító",
"Model IDs": "",
"Model Name": "Modell neve",
"Model not selected": "Nincs kiválasztva modell",
"Model Params": "Modell paraméterek",
"Model Permissions": "",
"Model updated successfully": "Modell sikeresen frissítve",
"Model Whitelisting": "Modell fehérlista",
"Model(s) Whitelisted": "Fehérlistázott modell(ek)",
"Modelfile Content": "Modellfájl tartalom",
"Models": "Modellek",
"Models Access": "",
"more": "több",
"More": "Több",
"Move to Top": "Mozgatás felülre",
"Name": "Név",
"Name your knowledge base": "",
"New Chat": "Új beszélgetés",
@ -549,12 +571,15 @@
"No feedbacks found": "Nem található visszajelzés",
"No file selected": "Nincs kiválasztva fájl",
"No files found.": "Nem található fájl.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Nem található HTML, CSS vagy JavaScript tartalom.",
"No knowledge found": "Nem található tudásbázis",
"No model IDs": "",
"No models found": "Nem található modell",
"No results found": "Nincs találat",
"No search query generated": "Nem generálódott keresési lekérdezés",
"No source available": "Nincs elérhető forrás",
"No users were found.": "",
"No valves to update": "Nincs frissítendő szelep",
"None": "Nincs",
"Not factually correct": "Tényszerűen nem helyes",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API letiltva",
"Ollama API is disabled": "Az Ollama API le van tiltva",
"Ollama API settings updated": "",
"Ollama Version": "Ollama verzió",
"On": "Be",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek a parancssorban.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Csak gyűjtemények szerkeszthetők, hozzon létre új tudásbázist dokumentumok szerkesztéséhez/hozzáadásához.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppá! Úgy tűnik, az URL érvénytelen. Kérjük, ellenőrizze és próbálja újra.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Hoppá! Még vannak feltöltés alatt álló fájlok. Kérjük, várja meg a feltöltés befejezését.",
"Oops! There was an error in the previous response.": "Hoppá! Hiba történt az előző válaszban.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/kulcs szükséges.",
"or": "vagy",
"Organize your users": "",
"Other": "Egyéb",
"OUTPUT": "KIMENET",
"Output format": "Kimeneti formátum",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Hozzáférés megtagadva a médiaeszközökhöz",
"Permission denied when accessing microphone": "Hozzáférés megtagadva a mikrofonhoz",
"Permission denied when accessing microphone: {{error}}": "Hozzáférés megtagadva a mikrofonhoz: {{error}}",
"Permissions": "",
"Personalization": "Személyre szabás",
"Pin": "Rögzítés",
"Pinned": "Rögzítve",
@ -633,8 +660,11 @@
"Profile Image": "Profilkép",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (pl. Mondj egy érdekes tényt a Római Birodalomról)",
"Prompt Content": "Prompt tartalom",
"Prompt created successfully": "",
"Prompt suggestions": "Prompt javaslatok",
"Prompt updated successfully": "",
"Prompts": "Promptok",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" letöltése az Ollama.com-ról",
"Pull a model from Ollama.com": "Modell letöltése az Ollama.com-ról",
"Query Params": "Lekérdezési paraméterek",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Válasszon egy alapmodellt",
"Select a engine": "Válasszon egy motort",
"Select a file to view or drag and drop a file to upload": "Válasszon ki egy fájlt megtekintésre vagy húzzon ide egy fájlt feltöltéshez",
"Select a function": "Válasszon egy funkciót",
"Select a group": "",
"Select a model": "Válasszon egy modellt",
"Select a pipeline": "Válasszon egy folyamatot",
"Select a pipeline url": "Válasszon egy folyamat URL-t",
"Select a tool": "Válasszon egy eszközt",
"Select an Ollama instance": "Válasszon egy Ollama példányt",
"Select Engine": "Motor kiválasztása",
"Select Knowledge": "Tudásbázis kiválasztása",
"Select model": "Modell kiválasztása",
@ -734,6 +763,7 @@
"Set as default": "Beállítás alapértelmezettként",
"Set CFG Scale": "CFG skála beállítása",
"Set Default Model": "Alapértelmezett modell beállítása",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Beágyazási modell beállítása (pl. {{model}})",
"Set Image Size": "Képméret beállítása",
"Set reranking model (e.g. {{model}})": "Újrarangsoroló modell beállítása (pl. {{model}})",
@ -758,7 +788,6 @@
"Show": "Mutat",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Admin részletek megjelenítése a függő fiók átfedésben",
"Show Model": "Modell megjelenítése",
"Show shortcuts": "Gyorsbillentyűk megjelenítése",
"Show your support!": "Mutassa meg támogatását!",
"Showcased creativity": "Kreativitás bemutatva",
@ -788,7 +817,6 @@
"System": "Rendszer",
"System Instructions": "Rendszer utasítások",
"System Prompt": "Rendszer prompt",
"Tags": "Címkék",
"Tags Generation Prompt": "Címke generálási prompt",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Koppintson a megszakításhoz",
@ -850,15 +878,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Megőrzendő tokenek kontextus frissítéskor (num_keep)",
"Too verbose": "Túl bőbeszédű",
"Tool": "Eszköz",
"Tool created successfully": "Eszköz sikeresen létrehozva",
"Tool deleted successfully": "Eszköz sikeresen törölve",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Eszköz sikeresen importálva",
"Tool Name": "",
"Tool updated successfully": "Eszköz sikeresen frissítve",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Eszközök",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Az eszközök olyan függvényhívó rendszert alkotnak, amely tetszőleges kód végrehajtását teszi lehetővé",
"Tools have a function calling system that allows arbitrary code execution": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását",
"Tools have a function calling system that allows arbitrary code execution.": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását.",
@ -898,13 +926,13 @@
"URL Mode": "URL mód",
"Use '#' in the prompt input to load and include your knowledge.": "Használja a '#' karaktert a prompt bevitelénél a tudásbázis betöltéséhez és felhasználásához.",
"Use Gravatar": "Gravatar használata",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Monogram használata",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "felhasználó",
"User": "Felhasználó",
"User location successfully retrieved.": "Felhasználó helye sikeresen lekérve.",
"User Permissions": "Felhasználói jogosultságok",
"Username": "",
"Users": "Felhasználók",
"Using the default arena model with all models. Click the plus button to add custom models.": "Az alapértelmezett aréna modell használata az összes modellel. Kattintson a plusz gombra egyéni modellek hozzáadásához.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "változó, hogy a vágólap tartalmával helyettesítse őket.",
"Version": "Verzió",
"Version {{selectedVersion}} of {{totalVersions}}": "{{selectedVersion}}. verzió a {{totalVersions}}-ból",
"Visibility": "",
"Voice": "Hang",
"Voice Input": "Hangbevitel",
"Warning": "Figyelmeztetés",
"Warning:": "Figyelmeztetés:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Figyelmeztetés: Ha frissíti vagy megváltoztatja a beágyazási modellt, minden dokumentumot újra kell importálnia.",
"Web": "Web",
"Web API": "Web API",
@ -941,6 +971,7 @@
"Won": "Nyert",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Munkaterület",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Írjon egy prompt javaslatot (pl. Ki vagy te?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Írjon egy 50 szavas összefoglalót a [téma vagy kulcsszó]-ról.",
"Write something...": "Írjon valamit...",
@ -949,8 +980,8 @@
"You": "Ön",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Egyszerre maximum {{maxCount}} fájllal tud csevegni.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Az LLM-ekkel való interakcióit személyre szabhatja emlékek hozzáadásával a lenti 'Kezelés' gomb segítségével, így azok még hasznosabbak és személyre szabottabbak lesznek.",
"You cannot clone a base model": "Nem lehet klónozni az alapmodellt",
"You cannot upload an empty file.": "Nem tölthet fel üres fájlt.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Nincsenek archivált beszélgetései.",
"You have shared this chat": "Megosztotta ezt a beszélgetést",
"You're a helpful assistant.": "Ön egy segítőkész asszisztens.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(contoh: `sh webui.sh --api`)",
"(latest)": "(terbaru)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Anda tidak dapat menghapus model dasar",
"{{user}}'s Chats": "Obrolan {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} Diperlukan Backend",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan saat melakukan tugas seperti membuat judul untuk obrolan dan kueri penelusuran web",
"a user": "seorang pengguna",
"About": "Tentang",
"Accessible to all users": "",
"Account": "Akun",
"Account Activation Pending": "Aktivasi Akun Tertunda",
"Accurate information": "Informasi yang akurat",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Tambahkan prompt khusus",
"Add Files": "Menambahkan File",
"Add Group": "",
"Add Memory": "Menambahkan Memori",
"Add Model": "Tambahkan Model",
"Add Tag": "",
"Add Tags": "Tambahkan Tag",
"Add text content": "",
"Add User": "Tambah Pengguna",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Menyesuaikan pengaturan ini akan menerapkan perubahan secara universal ke semua pengguna.",
"admin": "admin",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Parameter Lanjutan",
"All chats": "",
"All Documents": "Semua Dokumen",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Izinkan Penghapusan Obrolan",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Izinkan suara non-lokal",
"Allow Temporary Chat": "",
"Allow User Location": "Izinkan Lokasi Pengguna",
@ -62,6 +66,7 @@
"API keys": "Kunci API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "April",
"Archive": "Arsipkan",
"Archive All Chats": "Arsipkan Semua Obrolan",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Arah obrolan",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Obrolan",
"Check Again": "Periksa Lagi",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Kode berhasil diformat",
"Collection": "Koleksi",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL Dasar ComfyUI",
"ComfyUI Base URL is required.": "URL Dasar ComfyUI diperlukan.",
@ -178,10 +185,12 @@
"Copy Link": "Salin Tautan",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Penyalinan ke papan klip berhasil!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Buat model",
"Create Account": "Buat Akun",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Buat kunci baru",
"Create new secret key": "Buat kunci rahasia baru",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Default (Pengubah Kalimat)",
"Default Model": "Model Default",
"Default model updated": "Model default diperbarui",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Saran Permintaan Default",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Menemukan, mengunduh, dan menjelajahi alat khusus",
"Discover, download, and explore model presets": "Menemukan, mengunduh, dan menjelajahi preset model",
"Dismissible": "Tidak dapat digunakan",
"Display": "",
"Display Emoji in Call": "Menampilkan Emoji dalam Panggilan",
"Display the username instead of You in the Chat": "Menampilkan nama pengguna, bukan Anda di Obrolan",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Unduh",
"Download canceled": "Unduh dibatalkan",
"Download Database": "Unduh Basis Data",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Letakkan file apa pun di sini untuk ditambahkan ke percakapan",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "misalnya '30-an', '10m'. Satuan waktu yang valid adalah 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Edit",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Edit Memori",
"Edit User": "Edit Pengguna",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Fungsi Ekspor",
"Export Models": "Model Ekspor",
"Export Presets": "",
"Export Prompts": "Perintah Ekspor",
"Export to CSV": "",
"Export Tools": "Alat Ekspor",
@ -409,6 +425,11 @@
"Good Response": "Respons yang Baik",
"Google PSE API Key": "Kunci API Google PSE",
"Google PSE Engine Id": "Id Mesin Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Halo, {{name}}",
"Help": "Bantuan",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Sembunyikan",
"Hide Model": "Sembunyikan Model",
"Host": "",
"How can I help you today?": "Ada yang bisa saya bantu hari ini?",
"Hybrid Search": "Pencarian Hibrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Fungsi Impor",
"Import Models": "Model Impor",
"Import Presets": "",
"Import Prompts": "Petunjuk Impor",
"Import Tools": "Alat Impor",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Pintasan keyboard",
"Knowledge": "Pengetahuan",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Mengelola",
"Manage Arena Models": "",
"Manage Models": "Kelola Model",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Mengelola Model Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Mengelola Saluran Pipa",
"March": "Maret",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} tidak ditemukan",
"Model {{modelName}} is not vision capable": "Model {{modelName}} tidak dapat dilihat",
"Model {{name}} is now {{status}}": "Model {{name}} sekarang menjadi {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "Model berhasil dibuat!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Jalur sistem berkas model terdeteksi. Nama pendek model diperlukan untuk pembaruan, tidak dapat dilanjutkan.",
"Model Filtering": "",
"Model ID": "ID Model",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model tidak dipilih",
"Model Params": "Parameter Model",
"Model Permissions": "",
"Model updated successfully": "Model berhasil diperbarui",
"Model Whitelisting": "Daftar Putih Model",
"Model(s) Whitelisted": "Model(-model) Masuk Daftar Putih",
"Modelfile Content": "Konten File Model",
"Models": "Model",
"Models Access": "",
"more": "",
"More": "Lainnya",
"Move to Top": "",
"Name": "Nama",
"Name your knowledge base": "",
"New Chat": "Obrolan Baru",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Tidak ada file yang dipilih",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Tidak ada hasil yang ditemukan",
"No search query generated": "Tidak ada permintaan pencarian yang dibuat",
"No source available": "Tidak ada sumber yang tersedia",
"No users were found.": "",
"No valves to update": "Tidak ada katup untuk diperbarui",
"None": "Tidak ada",
"Not factually correct": "Tidak benar secara faktual",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama dinonaktifkan",
"Ollama API is disabled": "API Ollama dinonaktifkan",
"Ollama API settings updated": "",
"Ollama Version": "Versi Ollama",
"On": "Aktif",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya karakter alfanumerik dan tanda hubung yang diizinkan dalam string perintah.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Sepertinya URL tidak valid. Mohon periksa ulang dan coba lagi.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Diperlukan URL/Kunci OpenAI.",
"or": "atau",
"Organize your users": "",
"Other": "Lainnya",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Izin ditolak saat mengakses perangkat media",
"Permission denied when accessing microphone": "Izin ditolak saat mengakses mikrofon",
"Permission denied when accessing microphone: {{error}}": "Izin ditolak saat mengakses mikrofon: {{error}}",
"Permissions": "",
"Personalization": "Personalisasi",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Gambar Profil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Permintaan (mis. Ceritakan sebuah fakta menarik tentang Kekaisaran Romawi)",
"Prompt Content": "Konten yang Diminta",
"Prompt created successfully": "",
"Prompt suggestions": "Saran yang diminta",
"Prompt updated successfully": "",
"Prompts": "Prompt",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{searchValue}}\" dari Ollama.com",
"Pull a model from Ollama.com": "Tarik model dari Ollama.com",
"Query Params": "Parameter Kueri",
@ -709,13 +739,12 @@
"Seed": "Benih",
"Select a base model": "Pilih model dasar",
"Select a engine": "Pilih mesin",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Memilih fungsi",
"Select a group": "",
"Select a model": "Pilih model",
"Select a pipeline": "Pilih saluran pipa",
"Select a pipeline url": "Pilih url saluran pipa",
"Select a tool": "Pilih alat",
"Select an Ollama instance": "Pilih contoh Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Pilih model",
@ -734,6 +763,7 @@
"Set as default": "Ditetapkan sebagai default",
"Set CFG Scale": "",
"Set Default Model": "Tetapkan Model Default",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Tetapkan model penyematan (mis. {{model}})",
"Set Image Size": "Mengatur Ukuran Gambar",
"Set reranking model (e.g. {{model}})": "Tetapkan model pemeringkatan ulang (mis. {{model}})",
@ -758,7 +788,6 @@
"Show": "Tampilkan",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Tampilkan Detail Admin di Hamparan Akun Tertunda",
"Show Model": "Tampilkan Model",
"Show shortcuts": "Tampilkan pintasan",
"Show your support!": "Tunjukkan dukungan Anda!",
"Showcased creativity": "Menampilkan kreativitas",
@ -788,7 +817,6 @@
"System": "Sistem",
"System Instructions": "",
"System Prompt": "Permintaan Sistem",
"Tags": "Tag",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Ketuk untuk menyela",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Token Untuk Menyimpan Penyegaran Konteks (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Alat berhasil dibuat",
"Tool deleted successfully": "Alat berhasil dihapus",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Alat berhasil diimpor",
"Tool Name": "",
"Tool updated successfully": "Alat berhasil diperbarui",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Alat",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "Mode URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gunakan Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Gunakan Inisial",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "pengguna",
"User": "",
"User location successfully retrieved.": "Lokasi pengguna berhasil diambil.",
"User Permissions": "Izin Pengguna",
"Username": "",
"Users": "Pengguna",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variabel untuk diganti dengan konten papan klip.",
"Version": "Versi",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Suara",
"Voice Input": "",
"Warning": "Peringatan",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Peringatan: Jika Anda memperbarui atau mengubah model penyematan, Anda harus mengimpor ulang semua dokumen.",
"Web": "Web",
"Web API": "API Web",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Ruang Kerja",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Menulis saran cepat (misalnya Siapa kamu?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Tulis ringkasan dalam 50 kata yang merangkum [topik atau kata kunci].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "Anda",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Anda dapat mempersonalisasi interaksi Anda dengan LLM dengan menambahkan kenangan melalui tombol 'Kelola' di bawah ini, sehingga lebih bermanfaat dan disesuaikan untuk Anda.",
"You cannot clone a base model": "Anda tidak dapat mengkloning model dasar",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Anda tidak memiliki percakapan yang diarsipkan.",
"You have shared this chat": "Anda telah membagikan obrolan ini",
"You're a helpful assistant.": "Anda adalah asisten yang membantu.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(m.sh. `sh webui.sh --api`)",
"(latest)": "(is déanaí)",
"{{ models }}": "{{models}}",
"{{ owner }}: You cannot delete a base model": "{{owner}}: Ní féidir leat bunmhúnla a scriosadh",
"{{user}}'s Chats": "Comhráite {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} Ceoldeireadh Riachtanach",
"*Prompt node ID(s) are required for image generation": "* Tá ID nód pras ag teastáil chun íomhá a ghiniúint",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Úsáidtear samhail tasc agus tascanna á ndéanamh agat mar theidil a ghiniúint do chomhráite agus ceisteanna cuardaigh gréasáin",
"a user": "úsáideoir",
"About": "Maidir",
"Accessible to all users": "",
"Account": "Cuntas",
"Account Activation Pending": "Gníomhachtaithe Cuntas",
"Accurate information": "Faisnéis chruinn",
@ -28,12 +28,14 @@
"Add content here": "Cuir ábhar anseo",
"Add custom prompt": "Cuir pras saincheaptha leis",
"Add Files": "Cuir Comhaid",
"Add Group": "",
"Add Memory": "Cuir Cuimhne",
"Add Model": "Cuir múnla leis",
"Add Tag": "Cuir Clib leis",
"Add Tags": "Cuir Clibeanna leis",
"Add text content": "Cuir ábhar téacs leis",
"Add User": "Cuir Úsáideoir leis",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Cuirfear na socruithe seo ag coigeartú athruithe go huilíoch ar gach úsáideoir.",
"admin": "riarachán",
"Admin": "Riarachán",
@ -44,8 +46,10 @@
"Advanced Params": "Paraiméid Casta",
"All chats": "Gach comhrá",
"All Documents": "Gach Doiciméad",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Cead Scriosadh Comhrá",
"Allow Chat Editing": "Ceadaigh Eagarthóireacht",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Lig guthanna neamh-áitiúla",
"Allow Temporary Chat": "Cead Comhrá Sealadach",
"Allow User Location": "Ceadaigh Suíomh Úsáideora",
@ -62,6 +66,7 @@
"API keys": "Eochracha API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Aibreán",
"Archive": "Cartlann",
"Archive All Chats": "Cartlann Gach Comhrá",
@ -115,6 +120,7 @@
"Chat Controls": "Rialuithe Comhrá",
"Chat direction": "Treo comhrá",
"Chat Overview": "Forbhreathnú ar an",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Clibeanna Comhrá Auto-Giniúint",
"Chats": "Comhráite",
"Check Again": "Seiceáil Arís",
@ -145,6 +151,7 @@
"Code execution": "Cód a fhorghníomhú",
"Code formatted successfully": "Cód formáidithe go rathúil",
"Collection": "Bailiúchán",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL Bonn ComfyUI",
"ComfyUI Base URL is required.": "Teastaíonn URL ComfyUI Base.",
@ -178,10 +185,12 @@
"Copy Link": "Cóipeáil Nasc",
"Copy to clipboard": "Cóipeáil chuig an ngearrthaisce",
"Copying to clipboard was successful!": "D'éirigh le cóipeáil chuig an ngearrthaisce!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Cruthaigh samhail",
"Create Account": "Cruthaigh Cuntas",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Cruthaigh Eolais",
"Create new key": "Cruthaigh eochair nua",
"Create new secret key": "Cruthaigh eochair rúnda nua",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Réamhshocraithe (SentenceTransFormers)",
"Default Model": "Samhail Réamhshocraithe",
"Default model updated": "An tsamhail réamhshocraithe",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Moltaí Pras Réamhshocraithe",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Uirlisí saincheaptha a fháil amach, íoslódáil agus iniúchadh",
"Discover, download, and explore model presets": "Réamhshocruithe samhail a fháil amach, a íoslódáil agus a iniúchadh",
"Dismissible": "Dífhostaithe",
"Display": "",
"Display Emoji in Call": "Taispeáin Emoji i nGlao",
"Display the username instead of You in the Chat": "Taispeáin an t-ainm úsáideora in ionad Tú sa Comhrá",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Íoslódáil",
"Download canceled": "Íoslódáil cealaithe",
"Download Database": "Íoslódáil Bunachair",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Tarraing",
"Drop any files here to add to the conversation": "Scaoil aon chomhaid anseo le cur leis an gcomhrá",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "m.sh. '30s', '10m'. Is iad aonaid ama bailí ná 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Cuir in eagar",
"Edit Arena Model": "Cuir Samhail Airéine in Eagar",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Cuir Cuimhne in eagar",
"Edit User": "Cuir Úsáideoir in eagar",
"Edit User Group": "",
"ElevenLabs": "Eleven Labs",
"Email": "Ríomhphost",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Easpórtáil Cumraíocht chuig Comhad JSON",
"Export Functions": "Feidhmeanna Easp",
"Export Models": "Múnlaí a Easpórtáil",
"Export Presets": "",
"Export Prompts": "Leideanna Easpórtála",
"Export to CSV": "",
"Export Tools": "Uirlisí Easpór",
@ -409,6 +425,11 @@
"Good Response": "Freagra Mhaith",
"Google PSE API Key": "Eochair API Google PSE",
"Google PSE Engine Id": "ID Inneall Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h: mm a",
"Haptic Feedback": "Aiseolas Haptic",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Dia duit, {{name}}",
"Help": "Cabhair",
"Help us create the best community leaderboard by sharing your feedback history!": "Cabhraigh linn an clár ceannairí pobail is fearr a chruthú trí do stair aiseolais a roinnt!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Folaigh",
"Hide Model": "Folaigh Múnla",
"Host": "",
"How can I help you today?": "Conas is féidir liom cabhrú leat inniu?",
"Hybrid Search": "Cuardach Hibrideach",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Cumraíocht Iompórtáil ó Chomhad JSON",
"Import Functions": "Feidhmeanna Iom",
"Import Models": "Múnlaí a Iompórtáil",
"Import Presets": "",
"Import Prompts": "Leideanna Iompórtála",
"Import Tools": "Uirlisí Iomp",
"Include": "Cuir san áireamh",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Aicearraí méarchlár",
"Knowledge": "Eolas",
"Knowledge Access": "",
"Knowledge created successfully.": "Eolas cruthaithe go rathúil.",
"Knowledge deleted successfully.": "D'éirigh leis an eolas a scriosadh.",
"Knowledge reset successfully.": "D'éirigh le hathshocrú eolais.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Déan cinnte comhad workflow.json a onnmhairiú mar fhormáid API ó ComfyUI.",
"Manage": "Bainistiú",
"Manage Arena Models": "Bainistigh Múnlaí Airéine",
"Manage Models": "Bainistigh Múnlaí",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Bainistigh Múnlaí Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Bainistigh píblín",
"March": "Márta",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Múnla {{modelId}} gan aimsiú",
"Model {{modelName}} is not vision capable": "Níl samhail {{modelName}} in ann amharc",
"Model {{name}} is now {{status}}": "Tá samhail {{name}} {{status}} anois",
"Model {{name}} is now at the top": "Tá múnla {{name}} ag an mbarr anois",
"Model accepts image inputs": "Glacann múnla le hionchuir",
"Model created successfully!": "Cruthaíodh múnla go rathúil!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Braitheadh \u200b\u200bconair chóras comhad samhail. Teastaíonn mionainm múnla le haghaidh nuashonraithe, ní féidir leanúint ar aghaidh.",
"Model Filtering": "",
"Model ID": "ID Mhúnla",
"Model IDs": "",
"Model Name": "Ainm Múnla",
"Model not selected": "Múnla nach roghnaíodh",
"Model Params": "Múnla Params",
"Model Permissions": "",
"Model updated successfully": "An tsamhail nuashonraithe",
"Model Whitelisting": "Liostáil Múnla Bán",
"Model(s) Whitelisted": "Múnla/múnlaí atá ar liosta bán",
"Modelfile Content": "Ábhar Modelfile",
"Models": "Múnlaí",
"Models Access": "",
"more": "níos mó",
"More": "Tuilleadh",
"Move to Top": "Bogadh go dtí an Barr",
"Name": "Ainm",
"Name your knowledge base": "",
"New Chat": "Comhrá Nua",
@ -549,12 +571,15 @@
"No feedbacks found": "Níor aimsíodh aon aiseolas",
"No file selected": "Níl aon chomhad roghnaithe",
"No files found.": "Níor aimsíodh aon chomhaid.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Níor aimsíodh aon ábhar HTML, CSS nó JavaScript.",
"No knowledge found": "Níor aimsíodh aon eolas",
"No model IDs": "",
"No models found": "Níor aimsíodh aon mhúnlaí",
"No results found": "Níl aon torthaí le fáil",
"No search query generated": "Ní ghintear aon cheist cuardaigh",
"No source available": "Níl aon fhoinse ar fáil",
"No users were found.": "",
"No valves to update": "Gan comhlaí le nuashonrú",
"None": "Dada",
"Not factually correct": "Níl sé ceart go fírineach",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API faoi mhíchumas",
"Ollama API is disabled": "Tá API Ollama míchumasaithe",
"Ollama API settings updated": "",
"Ollama Version": "Leagan Ollama",
"On": "Ar",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Ní cheadaítear ach carachtair alfauméireacha agus braithíní sa sreangán ordaithe.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Ní féidir ach bailiúcháin a chur in eagar, bonn eolais nua a chruthú chun doiciméid a chur in eagar/a chur leis.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Is cosúil go bhfuil an URL neamhbhailí. Seiceáil faoi dhó le do thoil agus iarracht arís.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Úps! Tá comhaid fós á n-uaslódáil. Fan go mbeidh an uaslódáil críochnaithe.",
"Oops! There was an error in the previous response.": "Úps! Bhí earráid sa fhreagra roimhe seo.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Teastaíonn URL/eochair OpenAI.",
"or": "nó",
"Organize your users": "",
"Other": "Eile",
"OUTPUT": "ASCHUR",
"Output format": "Formáid aschuir",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Cead diúltaithe nuair a bhíonn rochtain agat",
"Permission denied when accessing microphone": "Cead diúltaithe agus tú ag rochtain ar",
"Permission denied when accessing microphone: {{error}}": "Cead diúltaithe agus tú ag teacht ar mhicreafón: {{error}}",
"Permissions": "",
"Personalization": "Pearsantú",
"Pin": "Bioráin",
"Pinned": "Pinneáilte",
@ -633,8 +660,11 @@
"Profile Image": "Íomhá Próifíl",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Pras (m.sh. inis dom fíric spraíúil faoin Impireacht Rómhánach)",
"Prompt Content": "Ábhar Pras",
"Prompt created successfully": "",
"Prompt suggestions": "Moltaí pras",
"Prompt updated successfully": "",
"Prompts": "Leabhair",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarraing \"{{searchValue}}\" ó Ollama.com",
"Pull a model from Ollama.com": "Tarraing múnla ó Ollama.com",
"Query Params": "Fiosrúcháin Params",
@ -709,13 +739,12 @@
"Seed": "Síol",
"Select a base model": "Roghnaigh bunmhúnla",
"Select a engine": "Roghnaigh inneall",
"Select a file to view or drag and drop a file to upload": "Roghnaigh comhad le féachaint air nó tarraing agus scaoil comhad le huaslódáil",
"Select a function": "Roghnaigh feidhm",
"Select a group": "",
"Select a model": "Roghnaigh samhail",
"Select a pipeline": "Roghnaigh píblíne",
"Select a pipeline url": "Roghnaigh url píblíne",
"Select a tool": "Roghnaigh uirlis",
"Select an Ollama instance": "Roghnaigh sampla Ollama",
"Select Engine": "Roghnaigh Inneall",
"Select Knowledge": "Roghnaigh Eolais",
"Select model": "Roghnaigh samhail",
@ -734,6 +763,7 @@
"Set as default": "Socraigh mar réamhshocraithe",
"Set CFG Scale": "Socraigh Scála CFG",
"Set Default Model": "Socraigh Samhail Réamhshocrú",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Socraigh samhail leabaithe (m.sh. {{model}})",
"Set Image Size": "Socraigh Méid Íomhá",
"Set reranking model (e.g. {{model}})": "Socraigh samhail athrangú (m.sh. {{model}})",
@ -758,7 +788,6 @@
"Show": "Taispeáin",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Taispeáin Sonraí Riaracháin sa Chuntas ar Feitheamh Forleagan",
"Show Model": "Taispeáin Múnla",
"Show shortcuts": "Taispeáin aicearraí",
"Show your support!": "Taispeáin do thacaíocht!",
"Showcased creativity": "Cruthaitheacht léirithe",
@ -788,7 +817,6 @@
"System": "Córas",
"System Instructions": "Treoracha Córas",
"System Prompt": "Córas Pras",
"Tags": "Clibeanna",
"Tags Generation Prompt": "Clibeanna Giniúint Pras",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Tapáil chun cur isteach",
@ -850,15 +878,15 @@
"Token": "Comhartha",
"Tokens To Keep On Context Refresh (num_keep)": "Comharthaí le Coinneáil ar Athnuachan Comhthéacs (num_keep)",
"Too verbose": "Ró-fhocal",
"Tool": "Uirlis",
"Tool created successfully": "Uirlis cruthaithe go rathúil",
"Tool deleted successfully": "Uirlis scriosta go rathúil",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Uirlis iompórtáilte",
"Tool Name": "",
"Tool updated successfully": "An uirlis nuashonraithe",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Uirlisí",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Is córas glaonna feidhme iad uirlisí le forghníomhú cód treallach",
"Tools have a function calling system that allows arbitrary code execution": "Tá córas glaonna feidhme ag uirlisí a cheadaíonn forghníomhú cód treallach",
"Tools have a function calling system that allows arbitrary code execution.": "Tá córas glaonna feidhme ag uirlisí a cheadaíonn forghníomhú cód treallach.",
@ -898,13 +926,13 @@
"URL Mode": "Mód URL",
"Use '#' in the prompt input to load and include your knowledge.": "Úsáid '#' san ionchur pras chun do chuid eolais a lódáil agus a chur san áireamh.",
"Use Gravatar": "Úsáid Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Úsáid ceannlitreacha",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "úsáideoir",
"User": "Úsáideoir",
"User location successfully retrieved.": "Fuarthas suíomh an úsáideora go rathúil.",
"User Permissions": "Ceadanna Úsáideora",
"Username": "",
"Users": "Úsáideoirí",
"Using the default arena model with all models. Click the plus button to add custom models.": "Ag baint úsáide as an múnla réimse réamhshocraithe le gach múnlaí. Cliceáil ar an gcnaipe móide chun múnlaí saincheaptha a chur leis.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "athróg chun ábhar gearrthaisce a chur in ionad iad.",
"Version": "Leagan",
"Version {{selectedVersion}} of {{totalVersions}}": "Leagan {{selectedVersion}} de {{totalVersions}}",
"Visibility": "",
"Voice": "Guth",
"Voice Input": "Ionchur Gutha",
"Warning": "Rabhadh",
"Warning:": "Rabhadh:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Rabhadh: Má nuashonraíonn tú nó má athraíonn tú do mhúnla leabaithe, beidh ort gach doiciméad a athiompórtáil.",
"Web": "Gréasán",
"Web API": "API Gréasáin",
@ -941,6 +971,7 @@
"Won": "Bhuaigh",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Spás oibre",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Scríobh moladh pras (m.sh. Cé hé tú?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Scríobh achoimre i 50 focal a dhéanann achoimre ar [ábhar nó eochairfhocal].",
"Write something...": "Scríobh rud...",
@ -949,8 +980,8 @@
"You": "Tú",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Ní féidir leat comhrá a dhéanamh ach le comhad {{maxCount}} ar a mhéad ag an am.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Is féidir leat do chuid idirghníomhaíochtaí le LLManna a phearsantú ach cuimhní cinn a chur leis tríd an gcnaipe 'Bainistigh' thíos, rud a fhágann go mbeidh siad níos cabhrach agus níos oiriúnaí duit.",
"You cannot clone a base model": "Ní féidir leat bunmhúnla a chlónáil",
"You cannot upload an empty file.": "Ní féidir leat comhad folamh a uaslódáil.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Níl aon chomhráite cartlainne agat.",
"You have shared this chat": "Tá an comhrá seo roinnte agat",
"You're a helpful assistant.": "Is cúntóir cabhrach tú.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(p.e. `sh webui.sh --api`)",
"(latest)": "(ultima)",
"{{ models }}": "{{ modelli }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: non è possibile eliminare un modello di base",
"{{user}}'s Chats": "{{user}} Chat",
"{{webUIName}} Backend Required": "{{webUIName}} Backend richiesto",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modello di attività viene utilizzato durante l'esecuzione di attività come la generazione di titoli per chat e query di ricerca Web",
"a user": "un utente",
"About": "Informazioni",
"Accessible to all users": "",
"Account": "Account",
"Account Activation Pending": "",
"Accurate information": "Informazioni accurate",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Aggiungi un prompt custom",
"Add Files": "Aggiungi file",
"Add Group": "",
"Add Memory": "Aggiungi memoria",
"Add Model": "Aggiungi modello",
"Add Tag": "",
"Add Tags": "Aggiungi tag",
"Add text content": "",
"Add User": "Aggiungi utente",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "La modifica di queste impostazioni applicherà le modifiche universalmente a tutti gli utenti.",
"admin": "amministratore",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "Parametri avanzati",
"All chats": "",
"All Documents": "Tutti i documenti",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Consenti l'eliminazione della chat",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "Chiavi API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Aprile",
"Archive": "Archivio",
"Archive All Chats": "Archivia tutte le chat",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Direzione chat",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chat",
"Check Again": "Controlla di nuovo",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Collezione",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL base ComfyUI",
"ComfyUI Base URL is required.": "L'URL base ComfyUI è obbligatorio.",
@ -178,10 +185,12 @@
"Copy Link": "Copia link",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Copia negli appunti riuscita!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Creare un modello",
"Create Account": "Crea account",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Crea nuova chiave",
"Create new secret key": "Crea nuova chiave segreta",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Predefinito (SentenceTransformers)",
"Default Model": "Modello di default",
"Default model updated": "Modello predefinito aggiornato",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Suggerimenti prompt predefiniti",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Scopri, scarica ed esplora i preset del modello",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Visualizza il nome utente invece di Tu nella chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Scarica",
"Download canceled": "Scaricamento annullato",
"Download Database": "Scarica database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Trascina qui i file da aggiungere alla conversazione",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "ad esempio '30s','10m'. Le unità di tempo valide sono 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Modifica",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Modifica utente",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Esporta modelli",
"Export Presets": "",
"Export Prompts": "Esporta prompt",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Buona risposta",
"Google PSE API Key": "Chiave API PSE di Google",
"Google PSE Engine Id": "ID motore PSE di Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Ciao, {{name}}",
"Help": "Aiuto",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Nascondi",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Come posso aiutarti oggi?",
"Hybrid Search": "Ricerca ibrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Importazione di modelli",
"Import Presets": "",
"Import Prompts": "Importa prompt",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Scorciatoie da tastiera",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Gestisci modelli",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gestisci modelli Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gestire le pipeline",
"March": "Marzo",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modello {{modelId}} non trovato",
"Model {{modelName}} is not vision capable": "Il modello {{modelName}} non è in grado di vedere",
"Model {{name}} is now {{status}}": "Il modello {{name}} è ora {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Percorso del filesystem del modello rilevato. Il nome breve del modello è richiesto per l'aggiornamento, impossibile continuare.",
"Model Filtering": "",
"Model ID": "ID modello",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modello non selezionato",
"Model Params": "Parametri del modello",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Whitelisting del modello",
"Model(s) Whitelisted": "Modello/i in whitelist",
"Modelfile Content": "Contenuto del file modello",
"Models": "Modelli",
"Models Access": "",
"more": "",
"More": "Altro",
"Move to Top": "",
"Name": "Nome",
"Name your knowledge base": "",
"New Chat": "Nuova chat",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Nessun risultato trovato",
"No search query generated": "Nessuna query di ricerca generata",
"No source available": "Nessuna fonte disponibile",
"No users were found.": "",
"No valves to update": "",
"None": "Nessuno",
"Not factually correct": "Non corretto dal punto di vista fattuale",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API Ollama disabilitata",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Versione Ollama",
"On": "Attivato",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Chiave OpenAI obbligatori.",
"or": "o",
"Organize your users": "",
"Other": "Altro",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Autorizzazione negata durante l'accesso al microfono: {{error}}",
"Permissions": "",
"Personalization": "Personalizzazione",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Immagine del profilo",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ad esempio Dimmi un fatto divertente sull'Impero Romano)",
"Prompt Content": "Contenuto del prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Suggerimenti prompt",
"Prompt updated successfully": "",
"Prompts": "Prompt",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Estrai \"{{searchValue}}\" da Ollama.com",
"Pull a model from Ollama.com": "Estrai un modello da Ollama.com",
"Query Params": "Parametri query",
@ -710,13 +740,12 @@
"Seed": "Seme",
"Select a base model": "Selezionare un modello di base",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Seleziona un modello",
"Select a pipeline": "Selezionare una tubazione",
"Select a pipeline url": "Selezionare l'URL di una pipeline",
"Select a tool": "",
"Select an Ollama instance": "Seleziona un'istanza Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Seleziona modello",
@ -735,6 +764,7 @@
"Set as default": "Imposta come predefinito",
"Set CFG Scale": "",
"Set Default Model": "Imposta modello predefinito",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Imposta modello di embedding (ad esempio {{model}})",
"Set Image Size": "Imposta dimensione immagine",
"Set reranking model (e.g. {{model}})": "Imposta modello di riclassificazione (ad esempio {{model}})",
@ -759,7 +789,6 @@
"Show": "Mostra",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Mostra",
"Show your support!": "",
"Showcased creativity": "Creatività messa in mostra",
@ -789,7 +818,6 @@
"System": "Sistema",
"System Instructions": "",
"System Prompt": "Prompt di sistema",
"Tags": "Tag",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "Modalità URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Usa Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Usa iniziali",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "utente",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Autorizzazioni utente",
"Username": "",
"Users": "Utenti",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variabile per farli sostituire con il contenuto degli appunti.",
"Version": "Versione",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Avvertimento",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Attenzione: se aggiorni o cambi il tuo modello di embedding, dovrai reimportare tutti i documenti.",
"Web": "Web",
"Web API": "",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Area di lavoro",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Scrivi un suggerimento per il prompt (ad esempio Chi sei?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Scrivi un riassunto in 50 parole che riassume [argomento o parola chiave].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Tu",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "Non è possibile clonare un modello di base",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Non hai conversazioni archiviate.",
"You have shared this chat": "Hai condiviso questa chat",
"You're a helpful assistant.": "Sei un assistente utile.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(例: `sh webui.sh --api`)",
"(latest)": "(最新)",
"{{ models }}": "{{ モデル }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: ベースモデルは削除できません",
"{{user}}'s Chats": "{{user}} のチャット",
"{{webUIName}} Backend Required": "{{webUIName}} バックエンドが必要です",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "タスクモデルは、チャットやウェブ検索クエリのタイトルの生成などのタスクを実行するときに使用されます",
"a user": "ユーザー",
"About": "概要",
"Accessible to all users": "",
"Account": "アカウント",
"Account Activation Pending": "アカウント承認待ち",
"Accurate information": "情報が正確",
@ -28,12 +28,14 @@
"Add content here": "ここへコンテンツを追加",
"Add custom prompt": "カスタムプロンプトを追加",
"Add Files": "ファイルを追加",
"Add Group": "",
"Add Memory": "メモリを追加",
"Add Model": "モデルを追加",
"Add Tag": "タグを追加",
"Add Tags": "タグを追加",
"Add text content": "コンテンツを追加",
"Add User": "ユーザーを追加",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "これらの設定を調整すると、すべてのユーザーに変更が適用されます。",
"admin": "管理者",
"Admin": "管理者",
@ -44,8 +46,10 @@
"Advanced Params": "高度なパラメータ",
"All chats": "",
"All Documents": "全てのドキュメント",
"Allow Chat Delete": "",
"Allow Chat Deletion": "チャットの削除を許可",
"Allow Chat Editing": "チャットの編集を許可",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "ローカル以外のボイスを許可",
"Allow Temporary Chat": "一時的なチャットを許可",
"Allow User Location": "ユーザーロケーションの許可",
@ -62,6 +66,7 @@
"API keys": "API キー",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "4月",
"Archive": "アーカイブ",
"Archive All Chats": "すべてのチャットをアーカイブする",
@ -115,6 +120,7 @@
"Chat Controls": "チャットコントロール",
"Chat direction": "チャットの方向",
"Chat Overview": "チャット概要",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "チャット",
"Check Again": "再確認",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "コードフォーマットに成功しました",
"Collection": "コレクション",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUIベースURL",
"ComfyUI Base URL is required.": "ComfyUIベースURLが必要です。",
@ -178,10 +185,12 @@
"Copy Link": "リンクをコピー",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "クリップボードへのコピーが成功しました!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "モデルを作成する",
"Create Account": "アカウントを作成",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "知識データ作成",
"Create new key": "新しいキーを作成",
"Create new secret key": "新しいシークレットキーを作成",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "デフォルト (SentenceTransformers)",
"Default Model": "デフォルトモデル",
"Default model updated": "デフォルトモデルが更新されました",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "デフォルトのプロンプトの提案",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "カスタムツールを探てしダウンロードする",
"Discover, download, and explore model presets": "モデルプリセットを探してダウンロードする",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "コールで絵文字を表示",
"Display the username instead of You in the Chat": "チャットで「あなた」の代わりにユーザー名を表示",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ダウンロード",
"Download canceled": "ダウンロードをキャンセルしました",
"Download Database": "データベースをダウンロード",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "会話を追加するには、ここにファイルをドロップしてください",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例: '30秒'、'10分'。有効な時間単位は '秒'、'分'、'時間' です。",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "編集",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "メモリを編集",
"Edit User": "ユーザーを編集",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "メールアドレス",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "設定をJSONファイルでエクスポート",
"Export Functions": "Functionのエクスポート",
"Export Models": "モデルのエクスポート",
"Export Presets": "",
"Export Prompts": "プロンプトをエクスポート",
"Export to CSV": "",
"Export Tools": "ツールのエクスポート",
@ -409,6 +425,11 @@
"Good Response": "良い応答",
"Google PSE API Key": "Google PSE APIキー",
"Google PSE Engine Id": "Google PSE エンジン ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "触覚フィードバック",
@ -416,8 +437,9 @@
"Hello, {{name}}": "こんにちは、{{name}} さん",
"Help": "ヘルプ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "非表示",
"Hide Model": "モデルを隠す",
"Host": "",
"How can I help you today?": "今日はどのようにお手伝いしましょうか?",
"Hybrid Search": "ブリッジ検索",
@ -432,6 +454,7 @@
"Import Config from JSON File": "設定をJSONファイルからインポート",
"Import Functions": "Functionのインポート",
"Import Models": "モデルのインポート",
"Import Presets": "",
"Import Prompts": "プロンプトをインポート",
"Import Tools": "ツールのインポート",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "キーボードショートカット",
"Knowledge": "知識",
"Knowledge Access": "",
"Knowledge created successfully.": "知識の作成に成功しました",
"Knowledge deleted successfully.": "知識の削除に成功しました",
"Knowledge reset successfully.": "知識のリセットに成功しました",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "管理",
"Manage Arena Models": "",
"Manage Models": "モデルを管理",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama モデルを管理",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "パイプラインの管理",
"March": "3月",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "モデル {{modelId}} が見つかりません",
"Model {{modelName}} is not vision capable": "モデル {{modelName}} は視覚に対応していません",
"Model {{name}} is now {{status}}": "モデル {{name}} は {{status}} になりました。",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "モデルファイルシステムパスが検出されました。モデルの短縮名が必要です。更新できません。",
"Model Filtering": "",
"Model ID": "モデルID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "モデルが選択されていません",
"Model Params": "モデルパラメータ",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "モデルホワイトリスト",
"Model(s) Whitelisted": "ホワイトリストに登録されたモデル",
"Modelfile Content": "モデルファイルの内容",
"Models": "モデル",
"Models Access": "",
"more": "",
"More": "もっと見る",
"Move to Top": "",
"Name": "名前",
"Name your knowledge base": "",
"New Chat": "新しいチャット",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "知識が見つかりません",
"No model IDs": "",
"No models found": "",
"No results found": "結果が見つかりません",
"No search query generated": "検索クエリは生成されません",
"No source available": "使用可能なソースがありません",
"No users were found.": "",
"No valves to update": "",
"None": "何一つ",
"Not factually correct": "実事上正しくない",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API が無効になっています",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama バージョン",
"On": "オン",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "コマンド文字列には英数字とハイフンのみが許可されています。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "おっと! URL が無効なようです。もう一度確認してやり直してください。",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Key が必要です。",
"or": "または",
"Organize your users": "",
"Other": "その他",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "マイクへのアクセス時に権限が拒否されました: {{error}}",
"Permissions": "",
"Personalization": "個人化",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "プロフィール画像",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "プロンプト(例:ローマ帝国についての楽しい事を教えてください)",
"Prompt Content": "プロンプトの内容",
"Prompt created successfully": "",
"Prompt suggestions": "プロンプトの提案",
"Prompt updated successfully": "",
"Prompts": "プロンプト",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com から \"{{searchValue}}\" をプル",
"Pull a model from Ollama.com": "Ollama.com からモデルをプル",
"Query Params": "クエリパラメーター",
@ -708,13 +738,12 @@
"Seed": "シード",
"Select a base model": "基本モデルの選択",
"Select a engine": "エンジンの選択",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Functionの選択",
"Select a group": "",
"Select a model": "モデルを選択",
"Select a pipeline": "パイプラインの選択",
"Select a pipeline url": "パイプラインの URL を選択する",
"Select a tool": "ツールの選択",
"Select an Ollama instance": "Ollama インスタンスを選択",
"Select Engine": "エンジンの選択",
"Select Knowledge": "知識の選択",
"Select model": "モデルを選択",
@ -733,6 +762,7 @@
"Set as default": "デフォルトに設定",
"Set CFG Scale": "",
"Set Default Model": "デフォルトモデルを設定",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "埋め込みモデルを設定します(例:{{model}}",
"Set Image Size": "画像サイズを設定",
"Set reranking model (e.g. {{model}})": "モデルを設定します(例:{{model}}",
@ -757,7 +787,6 @@
"Show": "表示",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "表示",
"Show your support!": "",
"Showcased creativity": "創造性を披露",
@ -787,7 +816,6 @@
"System": "システム",
"System Instructions": "",
"System Prompt": "システムプロンプト",
"Tags": "タグ",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -849,15 +877,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -897,13 +925,13 @@
"URL Mode": "URL モード",
"Use '#' in the prompt input to load and include your knowledge.": "#を入力すると知識データを参照することが出来ます。",
"Use Gravatar": "Gravatar を使用する",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "初期値を使用する",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "ユーザー",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "ユーザー権限",
"Username": "",
"Users": "ユーザー",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -916,10 +944,12 @@
"variable to have them replaced with clipboard content.": "クリップボードの内容に置き換える変数。",
"Version": "バージョン",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "ボイス",
"Voice Input": "",
"Warning": "警告",
"Warning:": "警告:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "警告: 埋め込みモデルを更新または変更した場合は、すべてのドキュメントを再インポートする必要があります。",
"Web": "ウェブ",
"Web API": "ウェブAPI",
@ -940,6 +970,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "ワークスペース",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "プロンプトの提案を書いてください (例: あなたは誰ですか?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "[トピックまたはキーワード] を要約する 50 語の概要を書いてください。",
"Write something...": "",
@ -948,8 +979,8 @@
"You": "あなた",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "基本モデルのクローンは作成できません",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "これまでにアーカイブされた会話はありません。",
"You have shared this chat": "このチャットを共有しました",
"You're a helpful assistant.": "あなたは有能なアシスタントです。",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(მაგ. `sh webui.sh --api`)",
"(latest)": "(უახლესი)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: თქვენ არ შეგიძლიათ წაშალოთ ბაზის მოდელი",
"{{user}}'s Chats": "{{user}}-ის ჩათები",
"{{webUIName}} Backend Required": "{{webUIName}} საჭიროა ბექენდი",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "დავალების მოდელი გამოიყენება ისეთი ამოცანების შესრულებისას, როგორიცაა ჩეთების სათაურების გენერირება და ვებ ძიების მოთხოვნები",
"a user": "მომხმარებელი",
"About": "შესახებ",
"Accessible to all users": "",
"Account": "ანგარიში",
"Account Activation Pending": "",
"Accurate information": "დიდი ინფორმაცია",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "პირველადი მოთხოვნის დამატება",
"Add Files": "ფაილების დამატება",
"Add Group": "",
"Add Memory": "მემორიის დამატება",
"Add Model": "მოდელის დამატება",
"Add Tag": "",
"Add Tags": "ტეგების დამატება",
"Add text content": "",
"Add User": "მომხმარებლის დამატება",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "ამ პარამეტრების რეგულირება ცვლილებებს უნივერსალურად გამოიყენებს ყველა მომხმარებლისთვის",
"admin": "ადმინისტრატორი",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "მოწინავე პარამები",
"All chats": "",
"All Documents": "ყველა დოკუმენტი",
"Allow Chat Delete": "",
"Allow Chat Deletion": "მიმოწერის წაშლის დაშვება",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API გასაღები",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "აპრილი",
"Archive": "არქივი",
"Archive All Chats": "არქივი ყველა ჩატი",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "ჩატის მიმართულება",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "მიმოწერები",
"Check Again": "თავიდან შემოწმება",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "ნაკრები",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI საბაზისო URL",
"ComfyUI Base URL is required.": "ComfyUI საბაზისო URL აუცილებელია.",
@ -178,10 +185,12 @@
"Copy Link": "კოპირება",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "კლავიატურაზე კოპირება წარმატებით დასრულდა",
"Create": "",
"Create a knowledge base": "",
"Create a model": "შექმენით მოდელი",
"Create Account": "ანგარიშის შექმნა",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "პირადი ღირებულბრის შექმნა",
"Create new secret key": "პირადი ღირებულბრის შექმნა",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "დეფოლტ (SentenceTransformers)",
"Default Model": "ნაგულისხმები მოდელი",
"Default model updated": "დეფოლტ მოდელი განახლებულია",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "დეფოლტ პრომპტი პირველი პირველი",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "აღმოაჩინეთ, ჩამოტვირთეთ და შეისწავლეთ მოდელის წინასწარ პარამეტრები",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "ჩატში აჩვენე მომხმარებლის სახელი თქვენს ნაცვლად",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ჩამოტვირთვა გაუქმებულია",
"Download canceled": "ჩამოტვირთვა გაუქმებულია",
"Download Database": "გადმოწერე მონაცემთა ბაზა",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "გადაიტანეთ ფაილები აქ, რათა დაამატოთ ისინი მიმოწერაში",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "მაგალითად, '30წ', '10მ'. მოქმედი დროის ერთეულები: 'წ', 'წთ', 'სთ'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "რედაქტირება",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "მომხმარებლის ედიტირება",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "ელ-ფოსტა",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "ექსპორტის მოდელები",
"Export Presets": "",
"Export Prompts": "მოთხოვნების ექსპორტი",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "დიდი პასუხი",
"Google PSE API Key": "Google PSE API გასაღები",
"Google PSE Engine Id": "Google PSE ძრავის Id",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "გამარჯობა, {{name}}",
"Help": "დახმარება",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "დამალვა",
"Hide Model": "",
"Host": "",
"How can I help you today?": "როგორ შემიძლია დაგეხმარო დღეს?",
"Hybrid Search": "ჰიბრიდური ძებნა",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "იმპორტის მოდელები",
"Import Presets": "",
"Import Prompts": "მოთხოვნების იმპორტი",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "კლავიატურის მალსახმობები",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "მოდელების მართვა",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama მოდელების მართვა",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "მილსადენების მართვა",
"March": "მარტივი",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "მოდელი {{modelId}} ვერ მოიძებნა",
"Model {{modelName}} is not vision capable": "Model {{modelName}} is not vision capable",
"Model {{name}} is now {{status}}": "Model {{name}} is now {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "აღმოჩენილია მოდელის ფაილური სისტემის გზა. განახლებისთვის საჭიროა მოდელის მოკლე სახელი, გაგრძელება შეუძლებელია.",
"Model Filtering": "",
"Model ID": "მოდელის ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "მოდელი არ არის არჩეული",
"Model Params": "მოდელის პარამები",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "მოდელის თეთრ სიაში შეყვანა",
"Model(s) Whitelisted": "მოდელ(ებ)ი თეთრ სიაშია",
"Modelfile Content": "მოდელური ფაილის კონტენტი",
"Models": "მოდელები",
"Models Access": "",
"more": "",
"More": "ვრცლად",
"Move to Top": "",
"Name": "სახელი",
"Name your knowledge base": "",
"New Chat": "ახალი მიმოწერა",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "ჩვენ ვერ პოულობით ნაპოვნი ჩაწერები",
"No search query generated": "ძიების მოთხოვნა არ არის გენერირებული",
"No source available": "წყარო არ არის ხელმისაწვდომი",
"No users were found.": "",
"No valves to update": "",
"None": "არცერთი",
"Not factually correct": "არ ვეთანხმები პირდაპირ ვერც ვეთანხმები",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API გამორთულია",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Ollama ვერსია",
"On": "ჩართვა",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "ბრძანების სტრიქონში დაშვებულია მხოლოდ ალფანუმერული სიმბოლოები და დეფისები.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "უი! როგორც ჩანს, მისამართი არასწორია. გთხოვთ, გადაამოწმოთ და ისევ სცადოთ.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Key აუცილებელია",
"or": "ან",
"Organize your users": "",
"Other": "სხვა",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "ნებართვა უარყოფილია მიკროფონზე წვდომისას: {{error}}",
"Permissions": "",
"Personalization": "პერსონალიზაცია",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "პროფილის სურათი",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (მაგ. მითხარი სახალისო ფაქტი რომის იმპერიის შესახებ)",
"Prompt Content": "მოთხოვნის შინაარსი",
"Prompt created successfully": "",
"Prompt suggestions": "მოთხოვნის რჩევები",
"Prompt updated successfully": "",
"Prompts": "მოთხოვნები",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "ჩაიამოვეთ \"{{searchValue}}\" Ollama.com-იდან",
"Pull a model from Ollama.com": "Ollama.com იდან მოდელის გადაწერა ",
"Query Params": "პარამეტრების ძიება",
@ -709,13 +739,12 @@
"Seed": "სიდი",
"Select a base model": "აირჩიეთ ბაზის მოდელი",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "მოდელის არჩევა",
"Select a pipeline": "აირჩიეთ მილსადენი",
"Select a pipeline url": "აირჩიეთ მილსადენის url",
"Select a tool": "",
"Select an Ollama instance": "Ollama ინსტანსის არჩევა",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "მოდელის არჩევა",
@ -734,6 +763,7 @@
"Set as default": "დეფოლტად დაყენება",
"Set CFG Scale": "",
"Set Default Model": "დეფოლტ მოდელის დაყენება",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ჩვენება მოდელის დაყენება (მაგ. {{model}})",
"Set Image Size": "სურათის ზომის დაყენება",
"Set reranking model (e.g. {{model}})": "რეტარირება მოდელის დაყენება (მაგ. {{model}})",
@ -758,7 +788,6 @@
"Show": "ჩვენება",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "მალსახმობების ჩვენება",
"Show your support!": "",
"Showcased creativity": "ჩვენებული ქონება",
@ -788,7 +817,6 @@
"System": "სისტემა",
"System Instructions": "",
"System Prompt": "სისტემური მოთხოვნა",
"Tags": "ტეგები",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL რეჟიმი",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "გამოიყენე Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "გამოიყენე ინიციალები",
"use_mlock (Ollama)": "use_mlock (ოლამა)",
"use_mmap (Ollama)": "use_mmap (ოლამა)",
"user": "მომხმარებელი",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "მომხმარებლის უფლებები",
"Username": "",
"Users": "მომხმარებლები",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "ცვლადი, რომ შეცვალოს ისინი ბუფერში შიგთავსით.",
"Version": "ვერსია",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "გაფრთხილება",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "გაფრთხილება: თუ განაახლებთ ან შეცვლით ჩანერგვის მოდელს, მოგიწევთ ყველა დოკუმენტის ხელახლა იმპორტი.",
"Web": "ვები",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "ვულერი",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "დაწერეთ მოკლე წინადადება (მაგ. ვინ ხარ?",
"Write a summary in 50 words that summarizes [topic or keyword].": "დაწერეთ რეზიუმე 50 სიტყვით, რომელიც აჯამებს [თემას ან საკვანძო სიტყვას].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "ჩემი",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "თქვენ არ შეგიძლიათ ბაზის მოდელის კლონირება",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "არ ხართ არქივირებული განხილვები.",
"You have shared this chat": "ამ ჩატის გააგზავნა",
"You're a helpful assistant.": "თქვენ სასარგებლო ასისტენტი ხართ.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(예: `sh webui.sh --api`)",
"(latest)": "(최근)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: 기본 모델은 삭제할 수 없습니다.",
"{{user}}'s Chats": "{{user}}의 채팅",
"{{webUIName}} Backend Required": "{{webUIName}} 백엔드가 필요합니다.",
"*Prompt node ID(s) are required for image generation": "사진 생성을 위해 프롬포트 노드 ID가 필요합니다",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "작업 모델은 채팅 및 웹 검색 쿼리에 대한 제목 생성 등의 작업 수행 시 사용됩니다.",
"a user": "사용자",
"About": "정보",
"Accessible to all users": "",
"Account": "계정",
"Account Activation Pending": "계정 활성화 대기",
"Accurate information": "정확한 정보",
@ -28,12 +28,14 @@
"Add content here": "여기에 내용을 추가하세요",
"Add custom prompt": "사용자 정의 프롬프트 추가",
"Add Files": "파일 추가",
"Add Group": "",
"Add Memory": "메모리 추가",
"Add Model": "모델 추가",
"Add Tag": "태그 추가",
"Add Tags": "태그 추가",
"Add text content": "글 추가",
"Add User": "사용자 추가",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "위와 같이 설정시 모든 사용자에게 적용됩니다.",
"admin": "관리자",
"Admin": "관리자",
@ -44,8 +46,10 @@
"Advanced Params": "고급 매개변수",
"All chats": "모든 채팅",
"All Documents": "모든 문서",
"Allow Chat Delete": "",
"Allow Chat Deletion": "채팅 삭제 허용",
"Allow Chat Editing": "채팅 수정 허용",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "외부 음성 허용",
"Allow Temporary Chat": "임시 채팅 허용",
"Allow User Location": "사용자 위치 활용 허용",
@ -62,6 +66,7 @@
"API keys": "API 키",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "4월",
"Archive": "보관",
"Archive All Chats": "모든 채팅 보관",
@ -115,6 +120,7 @@
"Chat Controls": "채팅 제어",
"Chat direction": "채팅 방향",
"Chat Overview": "채팅",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "채팅 태그 자동생성",
"Chats": "채팅",
"Check Again": "다시 확인",
@ -145,6 +151,7 @@
"Code execution": "코드 실행",
"Code formatted successfully": "성공적으로 코드가 생성되었습니다",
"Collection": "컬렉션",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI 기본 URL",
"ComfyUI Base URL is required.": "ComfyUI 기본 URL이 필요합니다.",
@ -178,10 +185,12 @@
"Copy Link": "링크 복사",
"Copy to clipboard": "클립보드에 복사",
"Copying to clipboard was successful!": "성공적으로 클립보드에 복사되었습니다!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "모델 만들기",
"Create Account": "계정 만들기",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "지식 만들기",
"Create new key": "새 키 만들기",
"Create new secret key": "새 비밀 키 만들기",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "기본값 (SentenceTransformers)",
"Default Model": "기본 모델",
"Default model updated": "기본 모델이 업데이트되었습니다.",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "기본 프롬프트 제안",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "사용자 정의 도구 검색, 다운로드 및 탐색",
"Discover, download, and explore model presets": "모델 사전 설정 검색, 다운로드 및 탐색",
"Dismissible": "제외가능",
"Display": "",
"Display Emoji in Call": "음성기능에서 이모지 표시",
"Display the username instead of You in the Chat": "채팅에서 '당신' 대신 사용자 이름 표시",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "다운로드",
"Download canceled": "다운로드 취소",
"Download Database": "데이터베이스 다운로드",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "그리기",
"Drop any files here to add to the conversation": "대화에 추가할 파일을 여기에 드롭하세요.",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "예: '30초','10분'. 유효한 시간 단위는 '초', '분', '시'입니다.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "편집",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "메모리 편집",
"Edit User": "사용자 편집",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "이메일",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Config를 JSON 파일로 내보내기",
"Export Functions": "함수 내보내기",
"Export Models": "모델 내보내기",
"Export Presets": "",
"Export Prompts": "프롬프트 내보내기",
"Export to CSV": "",
"Export Tools": "도구 내보내기",
@ -409,6 +425,11 @@
"Good Response": "좋은 응답",
"Google PSE API Key": "Google PSE API 키",
"Google PSE Engine Id": "Google PSE 엔진 ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "햅틱 피드백",
@ -416,8 +437,9 @@
"Hello, {{name}}": "안녕하세요, {{name}}",
"Help": "도움말",
"Help us create the best community leaderboard by sharing your feedback history!": "당신의 피드백 기록을 공유함으로서 최고의 커뮤니티 리더보드를 만드는데 도와주세요!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "숨기기",
"Hide Model": "모델 숨기기",
"Host": "",
"How can I help you today?": "오늘 어떻게 도와드릴까요?",
"Hybrid Search": "하이브리드 검색",
@ -432,6 +454,7 @@
"Import Config from JSON File": "JSON 파일에서 Config 불러오기",
"Import Functions": "함수 가져오기",
"Import Models": "모델 가져오기",
"Import Presets": "",
"Import Prompts": "프롬프트 가져오기",
"Import Tools": "도구 가져오기",
"Include": "포함",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "키보드 단축키",
"Knowledge": "지식 기반",
"Knowledge Access": "",
"Knowledge created successfully.": "성공적으로 지식 기반이 생성되었습니다",
"Knowledge deleted successfully.": "성공적으로 지식 기반이 삭제되었습니다",
"Knowledge reset successfully.": "성공적으로 지식 기반이 초기화되었습니다",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "꼭 workflow.json 파일을 ComfyUI의 API 형식대로 내보내세요",
"Manage": "관리",
"Manage Arena Models": "아레나 모델 관리",
"Manage Models": "모델 관리",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama 모델 관리",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "파이프라인 관리",
"March": "3월",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "{{modelId}} 모델을 찾을 수 없습니다.",
"Model {{modelName}} is not vision capable": "{{modelName}} 모델은 비전을 사용할 수 없습니다.",
"Model {{name}} is now {{status}}": "{{name}} 모델은 이제 {{status}} 상태입니다.",
"Model {{name}} is now at the top": "{{name}} 모델은 이제 맨 위에 있습니다.",
"Model accepts image inputs": "모델이 이미지 삽입을 허용합니다",
"Model created successfully!": "성공적으로 모델이 생성되었습니다",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "모델 파일 시스템 경로가 감지되었습니다. 업데이트하려면 모델 단축 이름이 필요하며 계속할 수 없습니다.",
"Model Filtering": "",
"Model ID": "모델 ID",
"Model IDs": "",
"Model Name": "모델 이름",
"Model not selected": "모델이 선택되지 않았습니다.",
"Model Params": "모델 파라미터",
"Model Permissions": "",
"Model updated successfully": "성공적으로 모델이 업데이트되었습니다",
"Model Whitelisting": "허용 모델 명시",
"Model(s) Whitelisted": "허용 모델",
"Modelfile Content": "Modelfile 내용",
"Models": "모델",
"Models Access": "",
"more": "더보기",
"More": "더보기",
"Move to Top": "맨 위로 이동",
"Name": "이름",
"Name your knowledge base": "",
"New Chat": "새 채팅",
@ -549,12 +571,15 @@
"No feedbacks found": "피드백 없음",
"No file selected": "파일이 선택되지 않음",
"No files found.": "파일 없음",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "HTML, CSS, JavaScript이 발견되지 않음",
"No knowledge found": "지식 기반 없음",
"No model IDs": "",
"No models found": "모델 없음",
"No results found": "결과 없음",
"No search query generated": "검색어가 생성되지 않았습니다.",
"No source available": "사용 가능한 소스 없음",
"No users were found.": "",
"No valves to update": "업데이트 할 변수 없음",
"None": "없음",
"Not factually correct": "사실상 맞지 않음",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API 비활성화",
"Ollama API is disabled": "Ollama API 비활성화",
"Ollama API settings updated": "",
"Ollama Version": "Ollama 버전",
"On": "켜기",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "명령어 문자열에는 영문자, 숫자 및 하이픈만 허용됩니다.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "가지고 있는 컬렉션만 수정 가능합니다, 새 지식 기반을 생성하여 문서를 수정 혹은 추가하십시오",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "이런! URL이 잘못된 것 같습니다. 다시 한번 확인하고 다시 시도해주세요.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "이런! 파일이 계속 업로드중 입니다. 업로드가 완료될 때까지 잠시만 기다려주세요",
"Oops! There was an error in the previous response.": "이런! 이전 응답에 에러가 있었던 것 같습니다",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/키가 필요합니다.",
"or": "또는",
"Organize your users": "",
"Other": "기타",
"OUTPUT": "출력력",
"Output format": "출력 형식",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "미디어 장치 접근 권한이 거부되었습니다.",
"Permission denied when accessing microphone": "마이크 접근 권한이 거부되었습니다.",
"Permission denied when accessing microphone: {{error}}": "마이크 접근 권환이 거부되었습니다: {{error}}",
"Permissions": "",
"Personalization": "개인화",
"Pin": "고정",
"Pinned": "고정됨",
@ -633,8 +660,11 @@
"Profile Image": "프로필 이미지",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "프롬프트 (예: 로마 황제에 대해 재미있는 사실을 알려주세요)",
"Prompt Content": "프롬프트 내용",
"Prompt created successfully": "",
"Prompt suggestions": "프롬프트 제안",
"Prompt updated successfully": "",
"Prompts": "프롬프트",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com에서 \"{{searchValue}}\" 가져오기",
"Pull a model from Ollama.com": "Ollama.com에서 모델 가져오기(pull)",
"Query Params": "쿼리 파라미터",
@ -709,13 +739,12 @@
"Seed": "시드",
"Select a base model": "기본 모델 선택",
"Select a engine": "엔진 선택",
"Select a file to view or drag and drop a file to upload": "파일을 선택하거나 업로드할 파일을 드래그 및 드롭하세요",
"Select a function": "함수 선택",
"Select a group": "",
"Select a model": "모델 선택",
"Select a pipeline": "파이프라인 선택",
"Select a pipeline url": "파이프라인 URL 선택",
"Select a tool": "도구 선택",
"Select an Ollama instance": "올라마(Ollama) 인스턴스 선택",
"Select Engine": "엔진 선택",
"Select Knowledge": "지식 기반 선택",
"Select model": "모델 선택",
@ -734,6 +763,7 @@
"Set as default": "기본값으로 설정",
"Set CFG Scale": "CFG Scale 설정",
"Set Default Model": "기본 모델 설정",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "임베딩 모델 설정 (예: {{model}})",
"Set Image Size": "이미지 크기 설정",
"Set reranking model (e.g. {{model}})": "reranking 모델 설정 (예: {{model}})",
@ -758,7 +788,6 @@
"Show": "보기",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "사용자용 계정 보류 설명창에, 관리자 상세 정보 노출",
"Show Model": "모델 보기",
"Show shortcuts": "단축키 보기",
"Show your support!": "당신의 응원을 보내주세요!",
"Showcased creativity": "창의성 발휘",
@ -788,7 +817,6 @@
"System": "시스템",
"System Instructions": "시스템 설명서",
"System Prompt": "시스템 프롬프트",
"Tags": "태그",
"Tags Generation Prompt": "태그 생성 프롬포트트",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "탭하여 중단",
@ -850,15 +878,15 @@
"Token": "토큰",
"Tokens To Keep On Context Refresh (num_keep)": "컨텍스트 새로 고침 시 유지할 토큰 수(num_keep)",
"Too verbose": "말이 너무 많은",
"Tool": "도구",
"Tool created successfully": "성공적으로 도구가 생성되었습니다",
"Tool deleted successfully": "성공적으로 도구가 삭제되었습니다",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "성공적으로 도구를 가져왔습니다",
"Tool Name": "",
"Tool updated successfully": "성공적으로 도구가 업데이트되었습니다",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "도구",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "도구는 임이의 코드를 실행시키는 함수를 불러오는 시스템입니다",
"Tools have a function calling system that allows arbitrary code execution": "도구가 임이의 코드를 실행시키는 함수를 가지기",
"Tools have a function calling system that allows arbitrary code execution.": "도구가 임이의 코드를 실행시키는 함수를 가지고 있습니다.",
@ -898,13 +926,13 @@
"URL Mode": "URL 모드",
"Use '#' in the prompt input to load and include your knowledge.": "프롬프트 입력에서 '#'를 사용하여 지식 기반을 불러오고 포함하세요.",
"Use Gravatar": "Gravatar 사용",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "초성 사용",
"use_mlock (Ollama)": "use_mlock (올라마)",
"use_mmap (Ollama)": "use_mmap (올라마)",
"user": "사용자",
"User": "사용자",
"User location successfully retrieved.": "성공적으로 사용자의 위치를 불러왔습니다",
"User Permissions": "사용자 권한",
"Username": "",
"Users": "사용자",
"Using the default arena model with all models. Click the plus button to add custom models.": "모든 모델은 기본 아레나 모델을 사용중입니다. 플러스 버튼을 눌러 커스텀 모델을 추가하세요",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "변수를 사용하여 클립보드 내용으로 바꾸세요.",
"Version": "버전",
"Version {{selectedVersion}} of {{totalVersions}}": "버전 {{totalVersions}}의 {{selectedVersion}}",
"Visibility": "",
"Voice": "음성",
"Voice Input": "음성 입력",
"Warning": "경고",
"Warning:": "주의:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "주의: 기존 임베딩 모델을 변경 또는 업데이트하는 경우, 모든 문서를 다시 가져와야 합니다.",
"Web": "웹",
"Web API": "웹 API",
@ -941,6 +971,7 @@
"Won": "이김",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "워크스페이스",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "프롬프트 제안 작성 (예: 당신은 누구인가요?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "[주제 또는 키워드]에 대한 50단어 요약문 작성.",
"Write something...": "아무거나 쓰세요...",
@ -949,8 +980,8 @@
"You": "당신",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "동시에 최대 {{maxCount}} 파일과만 대화할 수 있습니다 ",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "아래 '관리' 버튼으로 메모리를 추가하여 LLM들과의 상호작용을 개인화할 수 있습니다. 이를 통해 더 유용하고 맞춤화된 경험을 제공합니다.",
"You cannot clone a base model": "기본 모델은 복제할 수 없습니다",
"You cannot upload an empty file.": "빈 파일을 업로드 할 수 없습니다",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "채팅을 보관한 적이 없습니다.",
"You have shared this chat": "이 채팅을 공유했습니다.",
"You're a helpful assistant.": "당신은 유용한 어시스턴트입니다.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(pvz. `sh webui.sh --api`)",
"(latest)": "(naujausias)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Negalite ištrinti bazinio modelio",
"{{user}}'s Chats": "{{user}} susirašinėjimai",
"{{webUIName}} Backend Required": "{{webUIName}} būtinas serveris",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Užduočių modelis naudojamas pokalbių pavadinimų ir paieškos užklausų generavimui.",
"a user": "naudotojas",
"About": "Apie",
"Accessible to all users": "",
"Account": "Paskyra",
"Account Activation Pending": "Laukiama paskyros patvirtinimo",
"Accurate information": "Tiksli informacija",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Pridėti užklausos šabloną",
"Add Files": "Pridėti failus",
"Add Group": "",
"Add Memory": "Pridėti atminį",
"Add Model": "Pridėti modelį",
"Add Tag": "Pridėti žymą",
"Add Tags": "Pridėti žymas",
"Add text content": "",
"Add User": "Pridėti naudotoją",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Šių nustatymų pakeitimas bus pritakytas visiems naudotojams.",
"admin": "Administratorius",
"Admin": "Administratorius",
@ -44,8 +46,10 @@
"Advanced Params": "Pažengę nustatymai",
"All chats": "",
"All Documents": "Visi dokumentai",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Leisti pokalbių ištrynimą",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Leisti nelokalius balsus",
"Allow Temporary Chat": "",
"Allow User Location": "Leisti naudotojo vietos matymą",
@ -62,6 +66,7 @@
"API keys": "API raktai",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Balandis",
"Archive": "Archyvai",
"Archive All Chats": "Archyvuoti visus pokalbius",
@ -115,6 +120,7 @@
"Chat Controls": "Pokalbio valdymas",
"Chat direction": "Pokalbio linkmė",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Pokalbiai",
"Check Again": "Patikrinti iš naujo",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Kodas suformatuotas sėkmingai",
"Collection": "Kolekcija",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI bazės nuoroda",
"ComfyUI Base URL is required.": "ComfyUI bazės nuoroda privaloma",
@ -178,10 +185,12 @@
"Copy Link": "Kopijuoti nuorodą",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Sukurti modelį",
"Create Account": "Créer un compte",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Sukurti naują raktą",
"Create new secret key": "Sukurti naują slaptą raktą",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Numatytasis (SentenceTransformers)",
"Default Model": "Numatytasis modelis",
"Default model updated": "Numatytasis modelis atnaujintas",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Numatytieji užklausų pasiūlymai",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Atrasti, atsisiųsti arba rasti naujų įrankių",
"Discover, download, and explore model presets": "Atrasti ir parsisiųsti modelių konfigūracija",
"Dismissible": "Atemtama",
"Display": "",
"Display Emoji in Call": "Rodyti emoji pokalbiuose",
"Display the username instead of You in the Chat": "Rodyti naudotojo vardą vietoje žodžio Jūs pokalbyje",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Parsisiųsti",
"Download canceled": "Parsisiuntimas atšauktas",
"Download Database": "Parsisiųsti duomenų bazę",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Įkelkite dokumentus čia, kad juos pridėti į pokalbį",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "pvz. '30s', '10m'. Laiko vienetai yra 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Redaguoti",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Koreguoti atminį",
"Edit User": "Redaguoti naudotoją",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "El. paštas",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Eksportuoti funkcijas",
"Export Models": "Eksportuoti modelius",
"Export Presets": "",
"Export Prompts": "Eksportuoti užklausas",
"Export to CSV": "",
"Export Tools": "Eksportuoti įrankius",
@ -409,6 +425,11 @@
"Good Response": "Geras atsakymas",
"Google PSE API Key": "Google PSE API raktas",
"Google PSE Engine Id": "Google PSE variklio ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "valanda:mėnesis:metai",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Sveiki, {{name}}",
"Help": "Pagalba",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Paslėpti",
"Hide Model": "Paslėpti modelį",
"Host": "",
"How can I help you today?": "Kuo galėčiau Jums padėti ?",
"Hybrid Search": "Hibridinė paieška",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Importuoti funkcijas",
"Import Models": "Importuoti modelius",
"Import Presets": "",
"Import Prompts": "Importuoti užklausas",
"Import Tools": "Importuoti įrankius",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Klaviatūros trumpiniai",
"Knowledge": "Žinios",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Tvarkyti",
"Manage Arena Models": "",
"Manage Models": "Tvarkyti modelius",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Tvarkyti Ollama modelius",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Tvarkyti procesus",
"March": "Kovas",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modelis {{modelId}} nerastas",
"Model {{modelName}} is not vision capable": "Modelis {{modelName}} neturi vaizdo gebėjimų",
"Model {{name}} is now {{status}}": "Modelis {{name}} dabar {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "Modelis sukurtas sėkmingai",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modelio failų sistemos kelias aptiktas. Reikalingas trumpas modelio pavadinimas atnaujinimui.",
"Model Filtering": "",
"Model ID": "Modelio ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modelis nepasirinktas",
"Model Params": "Modelio parametrai",
"Model Permissions": "",
"Model updated successfully": "Modelis atnaujintas sėkmingai",
"Model Whitelisting": "Modeliu baltasis sąrašas",
"Model(s) Whitelisted": "Modelis baltąjame sąraše",
"Modelfile Content": "Modelio failo turinys",
"Models": "Modeliai",
"Models Access": "",
"more": "",
"More": "Daugiau",
"Move to Top": "",
"Name": "Pavadinimas",
"Name your knowledge base": "",
"New Chat": "Naujas pokalbis",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Nėra pasirinktų dokumentų",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Rezultatų nerasta",
"No search query generated": "Paieškos užklausa nesugeneruota",
"No source available": "Šaltinių nerasta",
"No users were found.": "",
"No valves to update": "Nėra atnaujinamų įeičių",
"None": "Nėra",
"Not factually correct": "Faktiškai netikslu",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API išjungtas",
"Ollama API is disabled": "Ollama API išjungtas",
"Ollama API settings updated": "",
"Ollama Version": "Ollama versija",
"On": "Aktyvuota",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Leistinos tik raidės, skaičiai ir brūkšneliai.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Regis nuoroda nevalidi. Prašau patikrtinkite ir pabandykite iš naujo.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI API nuoroda ir raktas būtini",
"or": "arba",
"Organize your users": "",
"Other": "Kita",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Leidimas atmestas bandant prisijungti prie medijos įrenginių",
"Permission denied when accessing microphone": "Mikrofono leidimas atmestas",
"Permission denied when accessing microphone: {{error}}": "Leidimas naudoti mikrofoną atmestas: {{error}}",
"Permissions": "",
"Personalization": "Personalizacija",
"Pin": "Smeigtukas",
"Pinned": "Įsmeigta",
@ -633,8 +660,11 @@
"Profile Image": "Profilio nuotrauka",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Užklausa (pvz. supaprastink šį laišką)",
"Prompt Content": "Užklausos turinys",
"Prompt created successfully": "",
"Prompt suggestions": "Užklausų pavyzdžiai",
"Prompt updated successfully": "",
"Prompts": "Užklausos",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Rasti \"{{searchValue}}\" iš Ollama.com",
"Pull a model from Ollama.com": "Gauti modelį iš Ollama.com",
"Query Params": "Užklausos parametrai",
@ -711,13 +741,12 @@
"Seed": "Sėkla",
"Select a base model": "Pasirinkite bazinį modelį",
"Select a engine": "Pasirinkite variklį",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Pasirinkite funkciją",
"Select a group": "",
"Select a model": "Pasirinkti modelį",
"Select a pipeline": "Pasirinkite procesą",
"Select a pipeline url": "Pasirinkite proceso nuorodą",
"Select a tool": "Pasirinkite įrankį",
"Select an Ollama instance": "Pasirinkti Ollama instanciją",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Pasirinkti modelį",
@ -736,6 +765,7 @@
"Set as default": "Nustatyti numatytąjį",
"Set CFG Scale": "",
"Set Default Model": "Nustatyti numatytąjį modelį",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Nustatyti embedding modelį",
"Set Image Size": "Nustatyti paveikslėlių dydį",
"Set reranking model (e.g. {{model}})": "Nustatyti reranking modelį",
@ -760,7 +790,6 @@
"Show": "Rodyti",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Rodyti administratoriaus duomenis laukiant paskyros patvirtinimo",
"Show Model": "Rodyti modelį",
"Show shortcuts": "Rodyti trumpinius",
"Show your support!": "Palaikykite",
"Showcased creativity": "Kūrybingų užklausų paroda",
@ -790,7 +819,6 @@
"System": "Sistema",
"System Instructions": "",
"System Prompt": "Sistemos užklausa",
"Tags": "Žymos",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Paspauskite norėdami pertraukti",
@ -852,15 +880,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Žetonų kiekis konteksto atnaujinimui (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Įrankis sukurtas sėkmingai",
"Tool deleted successfully": "Įrankis ištrintas sėkmingai",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Įrankis importuotas sėkmingai",
"Tool Name": "",
"Tool updated successfully": "Įrankis atnaujintas sėkmingai",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Įrankiai",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Įrankiai gali naudoti funkcijas ir vykdyti kodą",
"Tools have a function calling system that allows arbitrary code execution": "Įrankiai gali naudoti funkcijas ir leisti vykdyti kodą",
"Tools have a function calling system that allows arbitrary code execution.": "Įrankiai gali naudoti funkcijas ir leisti vykdyti kodą",
@ -900,13 +928,13 @@
"URL Mode": "URL režimas",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Naudoti Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Naudotojo inicialai",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "naudotojas",
"User": "",
"User location successfully retrieved.": "Naudotojo vieta sėkmingai gauta",
"User Permissions": "Naudotojo leidimai",
"Username": "",
"Users": "Naudotojai",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "kintamoji pakeičiama kopijuoklės turiniu.",
"Version": "Versija",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Balsas",
"Voice Input": "",
"Warning": "Perspėjimas",
"Warning:": "Perspėjimas",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Jei pakeisite embedding modelį, turėsite reimportuoti visus dokumentus",
"Web": "Web",
"Web API": "Web API",
@ -943,6 +973,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Nuostatos",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Parašykite užklausą",
"Write a summary in 50 words that summarizes [topic or keyword].": "Parašyk santrumpą trumpesnę nei 50 žodžių šiam tekstui: [tekstas]",
"Write something...": "",
@ -951,8 +982,8 @@
"You": "Jūs",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Galite pagerinti modelių darbą suteikdami jiems atminties funkcionalumą.",
"You cannot clone a base model": "Negalite klonuoti bazinio modelio",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Jūs neturite archyvuotų pokalbių",
"You have shared this chat": "Pasidalinote šiuo pokalbiu",
"You're a helpful assistant.": "Esi asistentas.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(contoh `sh webui.sh --api`)",
"(latest)": "(terkini)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Anda tidak boleh memadamkan model asas",
"{{user}}'s Chats": "Perbualan {{user}}",
"{{webUIName}} Backend Required": "{{webUIName}} Backend diperlukan",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan semasa melaksanakan tugas seperti menjana tajuk untuk perbualan dan pertanyaan carian web.",
"a user": "seorang pengguna",
"About": "Mengenai",
"Accessible to all users": "",
"Account": "Akaun",
"Account Activation Pending": "Pengaktifan Akaun belum selesai",
"Accurate information": "Informasi tepat",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Tambah arahan khusus",
"Add Files": "Tambah Fail",
"Add Group": "",
"Add Memory": "Tambah Memori",
"Add Model": "Tambah Model",
"Add Tag": "Tambah Tag",
"Add Tags": "Tambah Tag",
"Add text content": "",
"Add User": "Tambah Pengguna",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Melaraskan tetapan ini akan menggunakan perubahan secara universal kepada semua pengguna.",
"admin": "pentadbir",
"Admin": "Pentadbir",
@ -44,8 +46,10 @@
"Advanced Params": "Parameter Lanjutan",
"All chats": "",
"All Documents": "Semua Dokumen",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Benarkan Penghapusan Perbualan",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Benarkan suara bukan tempatan ",
"Allow Temporary Chat": "",
"Allow User Location": "Benarkan Lokasi Pengguna",
@ -62,6 +66,7 @@
"API keys": "Kekunci API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "April",
"Archive": "Arkib",
"Archive All Chats": "Arkibkan Semua Perbualan",
@ -115,6 +120,7 @@
"Chat Controls": "Kawalan Perbualan",
"Chat direction": "Arah Perbualan",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Perbualan",
"Check Again": "Semak Kembali",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Kod berjaya diformatkan",
"Collection": "Koleksi",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL asas ComfyUI",
"ComfyUI Base URL is required.": "URL asas ComfyUI diperlukan",
@ -178,10 +185,12 @@
"Copy Link": "Salin Pautan",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Menyalin ke papan klip berjaya!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Cipta model",
"Create Account": "Cipta Akaun",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Cipta kekunci baharu",
"Create new secret key": "Cipta kekunci rahsia baharu",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Lalai (SentenceTransformers)",
"Default Model": "Model Lalai",
"Default model updated": "Model lalai dikemas kini",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Cadangan Gesaan Lalai",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Temui, muat turun dan teroka alat tersuai",
"Discover, download, and explore model presets": "Temui, muat turun dan teroka model pratetap",
"Dismissible": "Diketepikan",
"Display": "",
"Display Emoji in Call": "Paparkan Emoji dalam Panggilan",
"Display the username instead of You in the Chat": "Paparkan nama pengguna dan bukannya 'Anda' dalam Sembang",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Muat Turun",
"Download canceled": "Muat Turun dibatalkan",
"Download Database": "Muat turun Pangkalan Data",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Letakkan mana-mana fail di sini untuk ditambahkan pada perbualan",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "cth '30s','10m'. Unit masa yang sah ialah 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Edit",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Edit Memori",
"Edit User": "Edit Penggunal",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "E-mel",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Eksport Fungsi",
"Export Models": "Eksport Model",
"Export Presets": "",
"Export Prompts": "Eksport Gesaan",
"Export to CSV": "",
"Export Tools": "Eksport Alat",
@ -409,6 +425,11 @@
"Good Response": "Respons Baik",
"Google PSE API Key": "Kunci API Google PSE",
"Google PSE Engine Id": "ID Enjin Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hello, {{name}}",
"Help": "Bantuan",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Sembunyi",
"Hide Model": "Sembunyikan Model",
"Host": "",
"How can I help you today?": "Bagaimana saya boleh membantu anda hari ini?",
"Hybrid Search": "Carian Hibrid",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Import Fungsi",
"Import Models": "Import Model",
"Import Presets": "",
"Import Prompts": "Import Gesaan",
"Import Tools": "Import Alat",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Pintasan papan kekunci",
"Knowledge": "Pengetahuan",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Urus",
"Manage Arena Models": "",
"Manage Models": "Urus Model",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Urus Model Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Urus 'Pipelines'",
"March": "Mac",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{ modelId }} tidak dijumpai",
"Model {{modelName}} is not vision capable": "Model {{ modelName }} tidak mempunyai keupayaan penglihatan",
"Model {{name}} is now {{status}}": "Model {{name}} kini {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "Model berjaya dibuat!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Laluan sistem fail model dikesan. Nama pendek model diperlukan untuk kemas kini, tidak boleh diteruskan.",
"Model Filtering": "",
"Model ID": "ID Model",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model tidak dipilih",
"Model Params": "Model Params",
"Model Permissions": "",
"Model updated successfully": "Model berjaya dikemas kini",
"Model Whitelisting": "Senarai Putih Model",
"Model(s) Whitelisted": "Model Disenarai Putih",
"Modelfile Content": "Kandungan Modelfail",
"Models": "Model",
"Models Access": "",
"more": "",
"More": "Lagi",
"Move to Top": "",
"Name": "Nama",
"Name your knowledge base": "",
"New Chat": "Perbualan Baru",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Tiada fail dipilih",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Tiada keputusan dijumpai",
"No search query generated": "Tiada pertanyaan carian dijana",
"No source available": "Tiada sumber tersedia",
"No users were found.": "",
"No valves to update": "Tiada 'valve' untuk dikemas kini",
"None": "Tiada",
"Not factually correct": "Tidak tepat secara fakta",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama dilumpuhkan",
"Ollama API is disabled": "API Ollama telah dilumpuhkan",
"Ollama API settings updated": "",
"Ollama Version": "Versi Ollama",
"On": "Hidup",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya aksara alfanumerik dan sempang dibenarkan dalam rentetan arahan.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Maaf, didapati URL tidak sah. Sila semak semula dan cuba lagi.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Kekunci OpenAI diperlukan",
"or": "atau",
"Organize your users": "",
"Other": "Lain-lain",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Tidak mendapat kebenaran apabila cuba mengakses peranti media",
"Permission denied when accessing microphone": "Tidak mendapat kebenaran apabila cuba mengakses mikrofon",
"Permission denied when accessing microphone: {{error}}": "Tidak mendapat kebenaran apabila cuba mengakses mikrofon: {{error}}",
"Permissions": "",
"Personalization": "Personalisasi",
"Pin": "Pin",
"Pinned": "Disemat",
@ -633,8 +660,11 @@
"Profile Image": "Imej Profail",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Gesaan (cth Beritahu saya fakta yang menyeronokkan tentang Kesultanan Melaka)",
"Prompt Content": "Kandungan Gesaan",
"Prompt created successfully": "",
"Prompt suggestions": "Cadangan Gesaan",
"Prompt updated successfully": "",
"Prompts": "Gesaan",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{ searchValue }}\" daripada Ollama.com",
"Pull a model from Ollama.com": "Tarik model dari Ollama.com",
"Query Params": "'Query Params'",
@ -709,13 +739,12 @@
"Seed": "Benih",
"Select a base model": "Pilih model asas",
"Select a engine": "Pilih enjin",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Pilih fungsi",
"Select a group": "",
"Select a model": "Pilih model",
"Select a pipeline": "Pilih 'pipeline'",
"Select a pipeline url": "Pilih url 'pipeline'",
"Select a tool": "Pilih alat",
"Select an Ollama instance": "Pilih Ollama contoh",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Pilih model",
@ -734,6 +763,7 @@
"Set as default": "Tetapkan sebagai lalai",
"Set CFG Scale": "",
"Set Default Model": "Tetapkan Model Lalai",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Tetapkan model benamkan (cth {{model}})",
"Set Image Size": "Tetapkan saiz imej",
"Set reranking model (e.g. {{model}})": "Tetapkan model 'reranking' (cth {{model}})",
@ -758,7 +788,6 @@
"Show": "Tunjukkan",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Tunjukkan Butiran Pentadbir dalam Akaun Menunggu Tindanan",
"Show Model": "Tunjukkan Model",
"Show shortcuts": "Tunjukkan pintasan",
"Show your support!": "Tunjukkan sokongan anda!",
"Showcased creativity": "eativiti yang dipamerkan",
@ -788,7 +817,6 @@
"System": "Sistem",
"System Instructions": "",
"System Prompt": "Gesaan Sistem",
"Tags": "Tag",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Sentuh untuk mengganggu",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Token Untuk Teruskan Dalam Muat Semula Konteks ( num_keep )",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Alat berjaya dibuat",
"Tool deleted successfully": "Alat berjaya dipadamkan",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Alat berjaya diimport",
"Tool Name": "",
"Tool updated successfully": "Alat berjaya dikemas kini",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Alatan",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Alatan ialah sistem panggilan fungsi dengan pelaksanaan kod sewenang-wenangnya",
"Tools have a function calling system that allows arbitrary code execution": "Alatan mempunyai sistem panggilan fungsi yang membolehkan pelaksanaan kod sewenang-wenangnya",
"Tools have a function calling system that allows arbitrary code execution.": "Alatan mempunyai sistem panggilan fungsi yang membolehkan pelaksanaan kod sewenang-wenangnya.",
@ -898,13 +926,13 @@
"URL Mode": "Mod URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gunakan Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Gunakan nama pendek",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "se_mmap (Ollama)",
"user": "pengguna",
"User": "",
"User location successfully retrieved.": "Lokasi pengguna berjaya diambil.",
"User Permissions": "Kebenaran Pengguna",
"Username": "",
"Users": "Pengguna",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "pembolehubah untuk ia digantikan dengan kandungan papan klip.",
"Version": "Versi",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Suara",
"Voice Input": "",
"Warning": "Amaran",
"Warning:": "Amaran:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Amaran: Jika anda mengemas kini atau menukar model benam anda, anda perlu mengimport semula semua dokumen.",
"Web": "Web",
"Web API": "API Web",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Ruangan Kerja",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Tulis cadangan gesaan (cth Siapakah anda?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Tulis ringkasan dalam 50 patah perkataan yang meringkaskan [topik atau kata kunci].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "Anda",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Anda boleh memperibadikan interaksi anda dengan LLM dengan menambahkan memori melalui butang 'Urus' di bawah, menjadikannya lebih membantu dan disesuaikan dengan anda.",
"You cannot clone a base model": "Anda tidak boleh mengklon model asas",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Anda tidak mempunyai perbualan yang diarkibkan",
"You have shared this chat": "Anda telah berkongsi perbualan ini",
"You're a helpful assistant.": "Anda seorang pembantu yang bagus",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(f.eks. `sh webui.sh --api`)",
"(latest)": "(siste)",
"{{ models }}": "{{ modeller }}",
"{{ owner }}: You cannot delete a base model": "{{ eier }}: Du kan ikke slette en grunnmodell",
"{{user}}'s Chats": "{{user}} sine samtaler",
"{{webUIName}} Backend Required": "Backend til {{webUIName}} kreves",
"*Prompt node ID(s) are required for image generation": "Node-ID-er for ledetekst kreves for generering av bilder",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "En oppgavemodell brukes når du utfører oppgaver som å generere titler for samtaler eller utfører søkeforespørsler på nettet",
"a user": "en bruker",
"About": "Om",
"Accessible to all users": "",
"Account": "Konto",
"Account Activation Pending": "Venter på kontoaktivering",
"Accurate information": "Nøyaktig informasjon",
@ -28,12 +28,14 @@
"Add content here": "Legg til innhold her",
"Add custom prompt": "Legg til egendefinert prompt",
"Add Files": "Legg til filer",
"Add Group": "",
"Add Memory": "Legg til minne",
"Add Model": "Legg til modell",
"Add Tag": "Legg til etikett",
"Add Tags": "Legg til etiketter",
"Add text content": "Legg til tekstinnhold",
"Add User": "Legg til bruker",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Endring av disse innstillingene vil gjelde for alle brukere på tvers av systemet.",
"admin": "administrator",
"Admin": "Administrator",
@ -44,8 +46,10 @@
"Advanced Params": "Avanserte parametere",
"All chats": "Alle chatter",
"All Documents": "Alle dokumenter",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tillat sletting av chatter",
"Allow Chat Editing": "Tillat redigering av chatter",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Tillat ikke-lokale stemmer",
"Allow Temporary Chat": "Tillat midlertidige chatter",
"Allow User Location": "Aktiver stedstjenester",
@ -62,6 +66,7 @@
"API keys": "API-nøkler",
"Application DN": "Applikasjonens DN",
"Application DN Password": "Applikasjonens DN-passord",
"applies to all users with the \"user\" role": "",
"April": "april",
"Archive": "Arkiv",
"Archive All Chats": "Arkiver alle chatter",
@ -115,6 +120,7 @@
"Chat Controls": "Kontrollere i chat",
"Chat direction": "Retning på chat",
"Chat Overview": "Chatoversikt",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Auto-generering av chatetiketter",
"Chats": "Chatter",
"Check Again": "Sjekk på nytt",
@ -145,6 +151,7 @@
"Code execution": "Kodekjøring",
"Code formatted successfully": "Koden er formatert",
"Collection": "Samling",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "Absolutt URL for ComfyUI",
"ComfyUI Base URL is required.": "Absolutt URL for ComfyUI kreves.",
@ -178,10 +185,12 @@
"Copy Link": "Kopier lenke",
"Copy to clipboard": "Kopier til utklippstavle",
"Copying to clipboard was successful!": "Kopiert til utklippstavlen!",
"Create": "",
"Create a knowledge base": "Opprett en kunnskapsbase",
"Create a model": "Opprett en modell",
"Create Account": "Opprett konto",
"Create Admin Account": "Opprett administratorkonto",
"Create Group": "",
"Create Knowledge": "Opprett kunnskap",
"Create new key": "Lag ny nøkkel",
"Create new secret key": "Lag ny hemmelig nøkkel",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Standard (SentenceTransformers)",
"Default Model": "Standard modell",
"Default model updated": "Standard modell oppdatert",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Standard forslag til ledetekster",
"Default to 389 or 636 if TLS is enabled": "Velg 389 or 636 som standard hvis TLS er aktivert",
"Default to ALL": "Velg ALL som standard",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Oppdag, last ned og utforsk tilpassede verktøy",
"Discover, download, and explore model presets": "Oppdag, last ned og utforsk forhåndsinnstillinger for modeller",
"Dismissible": "Kan lukkes",
"Display": "",
"Display Emoji in Call": "Vis emoji i samtale",
"Display the username instead of You in the Chat": "Vis brukernavnet i stedet for Du i chatten",
"Dive into knowledge": "Bli kjent med kunnskap",
@ -250,20 +262,23 @@
"Download": "Last ned",
"Download canceled": "Nedlasting avbrutt",
"Download Database": "Last ned database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Tegne",
"Drop any files here to add to the conversation": "Slipp filer her for å legge dem til i samtalen",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "f.eks. '30s','10m'. Gyldige tidsenheter er 's', 'm', 't'.",
"e.g. A filter to remove profanity from text": "f.eks. et filter for å fjerne banning fra tekst",
"e.g. A toolkit for performing various operations": "f.eks. et verktøysett for å utføre ulike operasjoner",
"e.g. My Filter": "f.eks. Mitt filter",
"e.g. My ToolKit": "f.eks. Mitt verktøysett",
"e.g. My Tools": "",
"e.g. my_filter": "f.eks. mitt_filter",
"e.g. my_toolkit": "f.eks. mitt_verktøysett",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Rediger",
"Edit Arena Model": "Rediger Arena-modell",
"Edit Connection": "Rediger tilkobling",
"Edit Default Permissions": "",
"Edit Memory": "Rediger minne",
"Edit User": "Rediger bruker",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "E-postadresse",
"Embark on adventures": "Kom med på eventyr",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Ekporter konfigurasjon til en JSON-fil",
"Export Functions": "Eksporter funksjoner",
"Export Models": "Eksporter modeller",
"Export Presets": "",
"Export Prompts": "Eksporter ledetekster",
"Export to CSV": "Eksporter til CSV",
"Export Tools": "Eksporter verktøy",
@ -409,6 +425,11 @@
"Good Response": "Godt svar",
"Google PSE API Key": "API-nøkkel for Google PSE",
"Google PSE Engine Id": "Motor-ID for Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "Grupper",
"h:mm a": "t:mm a",
"Haptic Feedback": "Haptisk tilbakemelding",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hei, {{name}}!",
"Help": "Hjelp",
"Help us create the best community leaderboard by sharing your feedback history!": "Hjelp oss med å skape den beste fellesskapsledertavlen ved å dele tilbakemeldingshistorikken din.",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Skjul",
"Hide Model": "Skjul modell",
"Host": "Host",
"How can I help you today?": "Hva kan jeg hjelpe deg med i dag?",
"Hybrid Search": "Hybrid-søk",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importer konfigurasjon fra en JSON-fil",
"Import Functions": "Importer funksjoner",
"Import Models": "Importer modeller",
"Import Presets": "",
"Import Prompts": "Importer ledetekster",
"Import Tools": "Importer verktøy",
"Include": "Inkluder",
@ -458,6 +481,7 @@
"Key": "Nøkkel",
"Keyboard shortcuts": "Hurtigtaster",
"Knowledge": "Kunnskap",
"Knowledge Access": "",
"Knowledge created successfully.": "Kunnskap opprettet.",
"Knowledge deleted successfully.": "Kunnskap slettet.",
"Knowledge reset successfully.": "Tilbakestilling av kunnskap vellykket.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Sørg for å eksportere en workflow.json-fil i API-formatet fra ComfyUI.",
"Manage": "Administrer",
"Manage Arena Models": "Behandle Arena-modeller",
"Manage Models": "Administrer modeller",
"Manage Ollama": "",
"Manage Ollama API Connections": "Behandle API-tilkoblinger for Ollama",
"Manage Ollama Models": "Behandle Ollama-modeller",
"Manage OpenAI API Connections": "Behandle API-tilkoblinger for OpenAPI",
"Manage Pipelines": "Behandle pipelines",
"March": "mars",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Finner ikke modellen {{modelId}}",
"Model {{modelName}} is not vision capable": "Modellen {{modelName}} er ikke egnet til visuelle data",
"Model {{name}} is now {{status}}": "Modellen {{name}} er nå {{status}}",
"Model {{name}} is now at the top": "Modellen {{name}} er nå øverst",
"Model accepts image inputs": "Modellen godtar bildeinndata",
"Model created successfully!": "Modellen er opprettet!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellfilsystembane oppdaget. Kan ikke fortsette fordi modellens kortnavn er påkrevd for oppdatering.",
"Model Filtering": "",
"Model ID": "Modell-ID",
"Model IDs": "Modell-ID-er",
"Model Name": "Modell",
"Model not selected": "Modell ikke valgt",
"Model Params": "Modellparametere",
"Model Permissions": "",
"Model updated successfully": "Modell oppdatert",
"Model Whitelisting": "Modell hvitlisting",
"Model(s) Whitelisted": "Modell(er) hvitlistet",
"Modelfile Content": "Modellfilinnhold",
"Models": "Modeller",
"Models Access": "",
"more": "mer",
"More": "Mer",
"Move to Top": "Flytt øverst",
"Name": "Navn",
"Name your knowledge base": "Gi kunnskapsbasen et navn",
"New Chat": "Ny chat",
@ -549,12 +571,15 @@
"No feedbacks found": "Finner ingen tilbakemeldinger",
"No file selected": "Ingen fil valgt",
"No files found.": "Finner ingen filer",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Finner ikke noe HTML, CSS- eller JavaScript-innhold.",
"No knowledge found": "Finner ingen kunnskaper",
"No model IDs": "",
"No models found": "Finner ingen modeller",
"No results found": "Finner ingen resultater",
"No search query generated": "Ingen søkespørringer er generert",
"No source available": "Ingen kilde tilgjengelig",
"No users were found.": "",
"No valves to update": "Ingen ventiler å oppdatere",
"None": "Ingen",
"Not factually correct": "Uriktig informasjon",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API deaktivert",
"Ollama API is disabled": "Ollama API er deaktivert",
"Ollama API settings updated": "API-innstillinger for Ollama er oppdatert",
"Ollama Version": "Ollama-versjon",
"On": "Aktivert",
"Only alphanumeric characters and hyphens are allowed": "Bare alfanumeriske tegn og bindestreker er tillatt",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Bare alfanumeriske tegn og bindestreker er tillatt i kommandostrengen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Bare samlinger kan redigeres, eller lag en ny kunnskapsbase for å kunne redigere / legge til dokumenter.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oi! Det ser ut som URL-en er ugyldig. Dobbeltsjekk, og prøv igjen.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Oi! Det er fortsatt filer som lastes opp. Vent til opplastingen er ferdig.",
"Oops! There was an error in the previous response.": "Oi! Det er en feil i det forrige svaret.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "API-innstillinger for OpenAI er oppdatert",
"OpenAI URL/Key required.": "URL/nøkkel for OpenAI kreves.",
"or": "eller",
"Organize your users": "",
"Other": "Annet",
"OUTPUT": "UTDATA",
"Output format": "Format på utdata",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Tilgang avslått ved bruk av medieenheter",
"Permission denied when accessing microphone": "Tilgang avslått ved bruk av mikrofonen",
"Permission denied when accessing microphone: {{error}}": "Tilgang avslått ved bruk av mikrofonen: {{error}}",
"Permissions": "",
"Personalization": "Tilpassing",
"Pin": "Fest",
"Pinned": "Festet",
@ -633,8 +660,11 @@
"Profile Image": "Profilbilde",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Ledetekst (f.eks. Fortell meg en morsom fakta om romerriket)",
"Prompt Content": "Ledetekstinnhold",
"Prompt created successfully": "",
"Prompt suggestions": "Forslag til ledetekst",
"Prompt updated successfully": "",
"Prompts": "Ledetekster",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Hent \"{{searchValue}}\" fra Ollama.com",
"Pull a model from Ollama.com": "Hent en modell fra Ollama.com",
"Query Params": "Spørringsparametere",
@ -686,12 +716,12 @@
"Search Base": "Søke etter base",
"Search Chats": "Søk etter chatter",
"Search Collection": "Søk etter samling",
"Search Filters": "Søk etter filtre",
"Search Filters": "Søk etter filtre",
"search for tags": "søk etter etiketter",
"Search Functions": "Søk etter funksjoner",
"Search Knowledge": "Søke etter kunnskap",
"Search Models": "Søk etter modeller",
"Search options": "Søk etter alternativer",
"Search options": "Søk etter alternativer",
"Search Prompts": "Søk etter ledetekster",
"Search Query Generation Prompt": "Ledetekst for generering av søkespørringer",
"Search Result Count": "Antall søkeresultater",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Velg en grunnmodell",
"Select a engine": "Velg en motor",
"Select a file to view or drag and drop a file to upload": "Velg en fil å vise, eller dra og slipp en fil for å laste den opp",
"Select a function": "Velg en funksjon",
"Select a group": "",
"Select a model": "Velg en modell",
"Select a pipeline": "Velg en pipeline",
"Select a pipeline url": "Velg en pipeline-URL",
"Select a tool": "Velg et verktøy",
"Select an Ollama instance": "Velg en Ollama-instans",
"Select Engine": "Velg motor",
"Select Knowledge": "Velg kunnskap",
"Select model": "Velg modell",
@ -734,6 +763,7 @@
"Set as default": "Angi som standard",
"Set CFG Scale": "Angi CFG-skala",
"Set Default Model": "Angi standard modell",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Angi innbyggingsmodell (f.eks. {{model}})",
"Set Image Size": "Angi bildestørrelse",
"Set reranking model (e.g. {{model}})": "Angi modell for omrangering (f.eks. {{model}})",
@ -758,7 +788,6 @@
"Show": "Vis",
"Show \"What's New\" modal on login": "Vis \"Hva er nytt\"-modal ved innlogging",
"Show Admin Details in Account Pending Overlay": "Vis administratordetaljer i ventende kontovisning",
"Show Model": "Vis modell",
"Show shortcuts": "Vis snarveier",
"Show your support!": "Vis din støtte!",
"Showcased creativity": "Fremhevet kreativitet",
@ -788,7 +817,6 @@
"System": "System",
"System Instructions": "Systeminstruksjoner",
"System Prompt": "Systemledetekst",
"Tags": "Etiketter",
"Tags Generation Prompt": "Ledetekst for genering av etikett",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "Tail free sampling brukes til å redusere innvirkningen av mindre sannsynlige tokens fra utdataene. En høyere verdi (f.eks. 2,0) vil redusere effekten mer, mens en verdi på 1,0 deaktiverer denne innstillingen. (standard: 1)",
"Tap to interrupt": "Trykk for å avbryte",
@ -835,7 +863,7 @@
"Title cannot be an empty string.": "Tittelen kan ikke være en tom streng.",
"Title Generation Prompt": "Ledetekst for tittelgenerering",
"TLS": "TLS",
"To access the available model names for downloading,": "Hvis du vil ha tilgang til modellnavn tilgjengelige for nedlasting,",
"To access the available model names for downloading,": "Hvis du vil ha tilgang til modellnavn tilgjengelige for nedlasting,",
"To access the GGUF models available for downloading,": "Hvis du vil ha tilgang til GGUF-modellene tilgjengelige for nedlasting,",
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Hvis du vil ha tilgang til WebUI, må du kontakte administrator. Administratorer kan behandle brukeres status fra Admin-panelet.",
"To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "Hvis du vil legge til kunnskapsbaser her, må du først legge dem til i arbeidsområdet \"Kunnskap\".",
@ -850,15 +878,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens som skal beholdes ved kontekstoppdatering (num_keep)",
"Too verbose": "For omfattende",
"Tool": "Verktøy",
"Tool created successfully": "Verktøy opprettet",
"Tool deleted successfully": "Verktøy slettet",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Verktøy importert",
"Tool Name": "",
"Tool updated successfully": "Verktøy oppdatert",
"Toolkit Description": "Beskrivelse av verktøysett (f.eks. Et verktøysett for å utføre ulike operasjoner)",
"Toolkit ID": "Verktøysettets ID (f.eks. mitt_verktøysett)",
"Toolkit Name": "Verktøysettets navn(f.eks. Mitt verktøysett)",
"Tools": "Verktøy",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Verktøy er et funksjonskallsystem med vilkårlig kodekjøring",
"Tools have a function calling system that allows arbitrary code execution": "Verktøy inneholder et funksjonskallsystem som tillater vilkårlig kodekjøring",
"Tools have a function calling system that allows arbitrary code execution.": "Verktøy inneholder et funksjonskallsystem som tillater vilkårlig kodekjøring.",
@ -898,13 +926,13 @@
"URL Mode": "URL-modus",
"Use '#' in the prompt input to load and include your knowledge.": "Bruk # i ledetekstinndata for å laste inn og inkludere dine kunnskaper.",
"Use Gravatar": "Bruk Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Bruk initialer",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "bruker",
"User": "Bruker",
"User location successfully retrieved.": "Brukerens lokasjon hentet",
"User Permissions": "Brukertillatelser",
"Username": "Brukernavn",
"Users": "Brukere",
"Using the default arena model with all models. Click the plus button to add custom models.": "Bruker standard Arena-modellen med alle modeller. Klikk på plussknappen for å legge til egne modeller.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variabel for å erstatte dem med utklippstavleinnhold.",
"Version": "Versjon",
"Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} av {{totalVersions}}",
"Visibility": "",
"Voice": "Stemme",
"Voice Input": "Taleinndata",
"Warning": "Advarsel",
"Warning:": "Advarsel!",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Advarsel: Hvis du oppdaterer eller endrer innbyggingsmodellen din, må du importere alle dokumenter på nytt.",
"Web": "Web",
"Web API": "Web-API",
@ -941,6 +971,7 @@
"Won": "Vant",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "Fungerer sammen med top-k. En høyere verdi (f.eks. 0,95) vil føre til mer mangfoldig tekst, mens en lavere verdi (f.eks. 0,5) vil generere mer fokusert og konservativ tekst. (Standard: 0,9)",
"Workspace": "Arbeidsområde",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Skriv inn et ledetekstforslag (f.eks. Hvem er du?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Skriv inn et sammendrag på 50 ord som oppsummerer [emne eller nøkkelord].",
"Write something...": "Skriv inn noe...",
@ -949,8 +980,8 @@
"You": "Du",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Du kan bare chatte med maksimalt {{maxCount}} fil(er) om gangen.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Du kan tilpasse interaksjonene dine med språkmodeller ved å legge til minner gjennom Administrer-knappen nedenfor, slik at de blir mer til nyttige og tilpasset deg.",
"You cannot clone a base model": "Du kan ikke klone en grunnmodell",
"You cannot upload an empty file.": "Du kan ikke laste opp en tom fil.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Du har ingen arkiverte samtaler.",
"You have shared this chat": "Du har delt denne chatten",
"You're a helpful assistant.": "Du er en nyttig assistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(bv. `sh webui.sh --api`)",
"(latest)": "(nieuwste)",
"{{ models }}": "{{ modellen }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: U kunt een basismodel niet verwijderen",
"{{user}}'s Chats": "{{user}}'s Chats",
"{{webUIName}} Backend Required": "{{webUIName}} Backend Verplicht",
"*Prompt node ID(s) are required for image generation": "*Prompt node ID('s) zijn vereist voor het genereren van afbeeldingen",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Een taakmodel wordt gebruikt bij het uitvoeren van taken zoals het genereren van titels voor chats en zoekopdrachten op internet",
"a user": "een gebruiker",
"About": "Over",
"Accessible to all users": "",
"Account": "Account",
"Account Activation Pending": "Accountactivatie in afwachting",
"Accurate information": "Accurate informatie",
@ -28,12 +28,14 @@
"Add content here": "Voeg hier content toe",
"Add custom prompt": "Voeg een aangepaste prompt toe",
"Add Files": "Voege Bestanden toe",
"Add Group": "",
"Add Memory": "Voeg Geheugen toe",
"Add Model": "Voeg Model toe",
"Add Tag": "Voeg Tag toe",
"Add Tags": "Voeg Tags toe",
"Add text content": "Voeg Text inhoud toe",
"Add User": "Voeg Gebruiker toe",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Het aanpassen van deze instellingen zal universeel worden toegepast op alle gebruikers.",
"admin": "admin",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Geavanceerde Parameters",
"All chats": "Alle chats",
"All Documents": "Alle Documenten",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Sta Chat Verwijdering toe",
"Allow Chat Editing": "Chatbewerking toestaan",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Niet-lokale stemmen toestaan",
"Allow Temporary Chat": "Tijdelijke chat toestaan",
"Allow User Location": "Gebruikerslocatie toestaan",
@ -62,6 +66,7 @@
"API keys": "API keys",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "April",
"Archive": "Archief",
"Archive All Chats": "Archiveer alle chats",
@ -115,6 +120,7 @@
"Chat Controls": "Chatbesturing",
"Chat direction": "Chatrichting",
"Chat Overview": "Chatoverzicht",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Chatlabels automatisch genereren",
"Chats": "Chats",
"Check Again": "Controleer Opnieuw",
@ -145,6 +151,7 @@
"Code execution": "Code uitvoeren",
"Code formatted successfully": "Code succesvol geformateerd",
"Collection": "Verzameling",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL is required.",
@ -178,10 +185,12 @@
"Copy Link": "Kopieer Link",
"Copy to clipboard": "Kopier naar klembord",
"Copying to clipboard was successful!": "Kopiëren naar klembord was succesvol!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Een model maken",
"Create Account": "Maak Account",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Creër kennis",
"Create new key": "Maak nieuwe sleutel",
"Create new secret key": "Maak nieuwe geheim sleutel",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Standaard (SentenceTransformers)",
"Default Model": "Standaard model",
"Default model updated": "Standaard model bijgewerkt",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Standaard Prompt Suggesties",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Ontdek, download en verken aangepaste gereedschappen",
"Discover, download, and explore model presets": "Ontdek, download en verken model presets",
"Dismissible": "Afwijsbaar",
"Display": "",
"Display Emoji in Call": "Emoji weergeven tijdens gesprek",
"Display the username instead of You in the Chat": "Toon de gebruikersnaam in plaats van Jij in de Chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Download",
"Download canceled": "Download geannuleerd",
"Download Database": "Download Database",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Teken",
"Drop any files here to add to the conversation": "Sleep hier bestanden om toe te voegen aan het gesprek",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "bijv. '30s', '10m'. Geldige tijdseenheden zijn 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Wijzig",
"Edit Arena Model": "Bewerk Arena Model",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Bewerk Geheugen",
"Edit User": "Wijzig Gebruiker",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exporteer configuratie naar JSON bestand",
"Export Functions": "Exporteer functies",
"Export Models": "Modellen exporteren",
"Export Presets": "",
"Export Prompts": "Exporteer Prompts",
"Export to CSV": "",
"Export Tools": "Exporteer gereedschappen",
@ -409,6 +425,11 @@
"Good Response": "Goed Antwoord",
"Google PSE API Key": "Google PSE API-sleutel",
"Google PSE Engine Id": "Google PSE-engine-ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Haptische feedback",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hallo, {{name}}",
"Help": "Help",
"Help us create the best community leaderboard by sharing your feedback history!": "Help ons het beste community leaderboard te maken door je feedbackgeschiedenis te delen!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Verberg",
"Hide Model": "Verberg model",
"Host": "",
"How can I help you today?": "Hoe kan ik je vandaag helpen?",
"Hybrid Search": "Hybride Zoeken",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importeer configuratie vanuit JSON-bestand",
"Import Functions": "Importeer Functies",
"Import Models": "Modellen importeren",
"Import Presets": "",
"Import Prompts": "Importeer Prompts",
"Import Tools": "Importeer Gereedschappen",
"Include": "Voeg toe",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Toetsenbord snelkoppelingen",
"Knowledge": "Kennis",
"Knowledge Access": "",
"Knowledge created successfully.": "Kennis succesvol aangemaakt",
"Knowledge deleted successfully.": "Kennis succesvol verwijderd",
"Knowledge reset successfully.": "Kennis succesvol gereset",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Zorg ervoor dat je een workflow.json-bestand als API-formaat exporteert vanuit ComfyUI.",
"Manage": "Beheren",
"Manage Arena Models": "Beheer Arenamodellen",
"Manage Models": "Beheer Modellen",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Beheer Ollama Modellen",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Pijplijnen beheren",
"March": "Maart",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} niet gevonden",
"Model {{modelName}} is not vision capable": "Model {{modelName}} is niet geschikt voor visie",
"Model {{name}} is now {{status}}": "Model {{name}} is nu {{status}}",
"Model {{name}} is now at the top": "Model {{name}} staat nu bovenaan",
"Model accepts image inputs": "Model accepteerd afbeeldingsinvoer",
"Model created successfully!": "Model succesvol gecreëerd",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem path gedetecteerd. Model shortname is vereist voor update, kan niet doorgaan.",
"Model Filtering": "",
"Model ID": "Model-ID",
"Model IDs": "",
"Model Name": "Model naam",
"Model not selected": "Model niet geselecteerd",
"Model Params": "Model Params",
"Model Permissions": "",
"Model updated successfully": "Model succesvol bijgewerkt",
"Model Whitelisting": "Model Whitelisting",
"Model(s) Whitelisted": "Model(len) zijn ge-whitelist",
"Modelfile Content": "Modelfile Inhoud",
"Models": "Modellen",
"Models Access": "",
"more": "Meer",
"More": "Meer",
"Move to Top": "Verplaats naar boven",
"Name": "Naam",
"Name your knowledge base": "",
"New Chat": "Nieuwe Chat",
@ -549,12 +571,15 @@
"No feedbacks found": "Geen feedback gevonden",
"No file selected": "Geen bestand geselecteerd",
"No files found.": "Geen bestanden gevonden",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Geen HTML, CSS, of JavaScript inhoud gevonden",
"No knowledge found": "Geen kennis gevonden",
"No model IDs": "",
"No models found": "Geen modellen gevonden",
"No results found": "Geen resultaten gevonden",
"No search query generated": "Geen zoekopdracht gegenereerd",
"No source available": "Geen bron beschikbaar",
"No users were found.": "",
"No valves to update": "Geen kleppen om bij te werken",
"None": "Geen",
"Not factually correct": "Niet feitelijk juist",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API uitgeschakeld",
"Ollama API is disabled": "Ollama API is uitgeschakeld",
"Ollama API settings updated": "",
"Ollama Version": "Ollama Versie",
"On": "Aan",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Alleen alfanumerieke karakters en streepjes zijn toegestaan in de commando string.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Alleen verzamelinge kunnen gewijzigd worden, maak een nieuwe kennisbank aan om bestanden aan te passen/toe te voegen",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oeps! Het lijkt erop dat de URL ongeldig is. Controleer het nogmaals en probeer opnieuw.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Oeps! Er zijn nog bestanden aan het uploaden. Wacht tot het uploaden voltooid is.",
"Oops! There was an error in the previous response.": "Oeps! Er was een fout in de vorige reactie.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Sleutel vereist.",
"or": "of",
"Organize your users": "",
"Other": "Andere",
"OUTPUT": "UITVOER",
"Output format": "Uitvoerformaat",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Toegang geweigerd bij het toegang krijgen tot media-apparaten",
"Permission denied when accessing microphone": "Toegang geweigerd bij het toegang krijgen tot de microfoon",
"Permission denied when accessing microphone: {{error}}": "Toestemming geweigerd bij toegang tot microfoon: {{error}}",
"Permissions": "",
"Personalization": "Personalisatie",
"Pin": "Speld",
"Pinned": "Vastgezet",
@ -633,8 +660,11 @@
"Profile Image": "Profielafbeelding",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (bv. Vertel me een leuke gebeurtenis over het Romeinse Rijk)",
"Prompt Content": "Prompt Inhoud",
"Prompt created successfully": "",
"Prompt suggestions": "Prompt suggesties",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Haal \"{{searchValue}}\" uit Ollama.com",
"Pull a model from Ollama.com": "Haal een model van Ollama.com",
"Query Params": "Query Params",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Selecteer een basismodel",
"Select a engine": "Selecteer een engine",
"Select a file to view or drag and drop a file to upload": "Selecteer een bestand om te bekijken, of sleep een bestand om het te uploaden",
"Select a function": "Selecteer een functie",
"Select a group": "",
"Select a model": "Selecteer een model",
"Select a pipeline": "Selecteer een pijplijn",
"Select a pipeline url": "Selecteer een pijplijn-URL",
"Select a tool": "Selecteer een tool",
"Select an Ollama instance": "Selecteer een Ollama instantie",
"Select Engine": "Selecteer Engine",
"Select Knowledge": "Selecteer Kennis",
"Select model": "Selecteer een model",
@ -734,6 +763,7 @@
"Set as default": "Stel in als standaard",
"Set CFG Scale": "Stel CFG-schaal in",
"Set Default Model": "Stel Standaard Model in",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Stel embedding model in (bv. {{model}})",
"Set Image Size": "Stel Afbeelding Grootte in",
"Set reranking model (e.g. {{model}})": "Stel reranking model in (bv. {{model}})",
@ -758,7 +788,6 @@
"Show": "Toon",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Admin-details weergeven in overlay in afwachting van account",
"Show Model": "Laat model zien",
"Show shortcuts": "Toon snelkoppelingen",
"Show your support!": "Toon je steun",
"Showcased creativity": "Tooncase creativiteit",
@ -788,7 +817,6 @@
"System": "Systeem",
"System Instructions": "Systeem instructies",
"System Prompt": "Systeem Prompt",
"Tags": "Tags",
"Tags Generation Prompt": "Prompt voor taggeneratie",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Tik om te onderbreken",
@ -850,15 +878,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Te bewaren tokens bij contextverversing (num_keep)",
"Too verbose": "Te langdradig",
"Tool": "Gereedschap",
"Tool created successfully": "Gereedschap succesvol aangemaakt",
"Tool deleted successfully": "Gereedschap succesvol verwijderd",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Gereedschap succesvol geïmporteerd",
"Tool Name": "",
"Tool updated successfully": "Gereedschap succesvol bijgewerkt",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Gereedschappen",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Gereedschappen zijn een systeem voor het aanroepen van functies met willekeurige code-uitvoering",
"Tools have a function calling system that allows arbitrary code execution": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd",
"Tools have a function calling system that allows arbitrary code execution.": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd",
@ -898,13 +926,13 @@
"URL Mode": "URL Modus",
"Use '#' in the prompt input to load and include your knowledge.": "Gebruik '#' in de promptinvoer om je kennis te laden en op te nemen.",
"Use Gravatar": "Gebruik Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Gebruik Initials",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "user",
"User": "User",
"User location successfully retrieved.": "Gebruikerslocatie succesvol opgehaald",
"User Permissions": "Gebruikers Rechten",
"Username": "",
"Users": "Gebruikers",
"Using the default arena model with all models. Click the plus button to add custom models.": "Het standaard arena-model gebruiken met alle modellen. Klik op de plusknop om aangepaste modellen toe te voegen.",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variabele om ze te laten vervangen door klembord inhoud.",
"Version": "Versie",
"Version {{selectedVersion}} of {{totalVersions}}": "Versie {{selectedVersion}} van {{totalVersions}}",
"Visibility": "",
"Voice": "Stem",
"Voice Input": "Steminvoer",
"Warning": "Waarschuwing",
"Warning:": "Waarschuwing",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Warning: Als je de embedding model bijwerkt of wijzigt, moet je alle documenten opnieuw importeren.",
"Web": "Web",
"Web API": "Web-API",
@ -941,6 +971,7 @@
"Won": "Gewonnen",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Werkruimte",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Schrijf een prompt suggestie (bijv. Wie ben je?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Schrijf een samenvatting in 50 woorden die [onderwerp of trefwoord] samenvat.",
"Write something...": "Schrijf iets...",
@ -949,8 +980,8 @@
"You": "Jij",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Je kunt slechts met maximaal {{maxCount}} bestand(en) tegelijk chatten",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Je kunt je interacties met LLM's personaliseren door herinneringen toe te voegen via de 'Beheer'-knop hieronder, waardoor ze nuttiger en op maat gemaakt voor jou worden.",
"You cannot clone a base model": "U kunt een basismodel niet klonen",
"You cannot upload an empty file.": "Je kunt een leeg bestand niet uploaden.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "U heeft geen gearchiveerde gesprekken.",
"You have shared this chat": "U heeft dit gesprek gedeeld",
"You're a helpful assistant.": "Jij bent een behulpzame assistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(ਉਦਾਹਰਣ ਦੇ ਤੌਰ ਤੇ `sh webui.sh --api`)",
"(latest)": "(ਤਾਜ਼ਾ)",
"{{ models }}": "{{ ਮਾਡਲ }}",
"{{ owner }}: You cannot delete a base model": "{{ ਮਾਲਕ }}: ਤੁਸੀਂ ਬੇਸ ਮਾਡਲ ਨੂੰ ਮਿਟਾ ਨਹੀਂ ਸਕਦੇ",
"{{user}}'s Chats": "{{user}} ਦੀਆਂ ਗੱਲਾਂ",
"{{webUIName}} Backend Required": "{{webUIName}} ਬੈਕਐਂਡ ਲੋੜੀਂਦਾ ਹੈ",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "ਚੈਟਾਂ ਅਤੇ ਵੈੱਬ ਖੋਜ ਪੁੱਛਗਿੱਛਾਂ ਵਾਸਤੇ ਸਿਰਲੇਖ ਤਿਆਰ ਕਰਨ ਵਰਗੇ ਕਾਰਜ ਾਂ ਨੂੰ ਕਰਦੇ ਸਮੇਂ ਇੱਕ ਕਾਰਜ ਮਾਡਲ ਦੀ ਵਰਤੋਂ ਕੀਤੀ ਜਾਂਦੀ ਹੈ",
"a user": "ਇੱਕ ਉਪਭੋਗਤਾ",
"About": "ਬਾਰੇ",
"Accessible to all users": "",
"Account": "ਖਾਤਾ",
"Account Activation Pending": "",
"Accurate information": "ਸਹੀ ਜਾਣਕਾਰੀ",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "ਕਸਟਮ ਪ੍ਰੰਪਟ ਸ਼ਾਮਲ ਕਰੋ",
"Add Files": "ਫਾਈਲਾਂ ਸ਼ਾਮਲ ਕਰੋ",
"Add Group": "",
"Add Memory": "ਮਿਹਾਨ ਸ਼ਾਮਲ ਕਰੋ",
"Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ",
"Add Tag": "",
"Add Tags": "ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ",
"Add text content": "",
"Add User": "ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "ਇਹ ਸੈਟਿੰਗਾਂ ਨੂੰ ਠੀਕ ਕਰਨ ਨਾਲ ਸਾਰੇ ਉਪਭੋਗਤਾਵਾਂ ਲਈ ਬਦਲਾਅ ਲਾਗੂ ਹੋਣਗੇ।",
"admin": "ਪ੍ਰਬੰਧਕ",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "ਐਡਵਾਂਸਡ ਪਰਮਜ਼",
"All chats": "",
"All Documents": "ਸਾਰੇ ਡਾਕੂਮੈਂਟ",
"Allow Chat Delete": "",
"Allow Chat Deletion": "ਗੱਲਬਾਤ ਮਿਟਾਉਣ ਦੀ ਆਗਿਆ ਦਿਓ",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API ਕੁੰਜੀਆਂ",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "ਅਪ੍ਰੈਲ",
"Archive": "ਆਰਕਾਈਵ",
"Archive All Chats": "ਸਾਰੀਆਂ ਚੈਟਾਂ ਨੂੰ ਆਰਕਾਈਵ ਕਰੋ",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "ਗੱਲਬਾਤ ਡਿਰੈਕਟਨ",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "ਗੱਲਾਂ",
"Check Again": "ਮੁੜ ਜਾਂਚ ਕਰੋ",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "ਸੰਗ੍ਰਹਿ",
"Color": "",
"ComfyUI": "ਕੰਫੀਯੂਆਈ",
"ComfyUI Base URL": "ਕੰਫੀਯੂਆਈ ਬੇਸ URL",
"ComfyUI Base URL is required.": "ਕੰਫੀਯੂਆਈ ਬੇਸ URL ਦੀ ਲੋੜ ਹੈ।",
@ -178,10 +185,12 @@
"Copy Link": "ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "ਕਲਿੱਪਬੋਰਡ 'ਤੇ ਕਾਪੀ ਕਰਨਾ ਸਫਲ ਰਿਹਾ!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "ਇੱਕ ਮਾਡਲ ਬਣਾਓ",
"Create Account": "ਖਾਤਾ ਬਣਾਓ",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "ਨਵੀਂ ਕੁੰਜੀ ਬਣਾਓ",
"Create new secret key": "ਨਵੀਂ ਗੁਪਤ ਕੁੰਜੀ ਬਣਾਓ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "ਮੂਲ (ਸੈਂਟੈਂਸਟ੍ਰਾਂਸਫਾਰਮਰਸ)",
"Default Model": "ਡਿਫਾਲਟ ਮਾਡਲ",
"Default model updated": "ਮੂਲ ਮਾਡਲ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "ਮੂਲ ਪ੍ਰੰਪਟ ਸੁਝਾਅ",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "ਮਾਡਲ ਪ੍ਰੀਸੈਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "ਗੱਲਬਾਤ 'ਚ ਤੁਹਾਡੇ ਸਥਾਨ 'ਤੇ ਉਪਭੋਗਤਾ ਨਾਮ ਦਿਖਾਓ",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ਡਾਊਨਲੋਡ",
"Download canceled": "ਡਾਊਨਲੋਡ ਰੱਦ ਕੀਤਾ ਗਿਆ",
"Download Database": "ਡਾਟਾਬੇਸ ਡਾਊਨਲੋਡ ਕਰੋ",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "ਗੱਲਬਾਤ ਵਿੱਚ ਸ਼ਾਮਲ ਕਰਨ ਲਈ ਕੋਈ ਵੀ ਫਾਈਲ ਇੱਥੇ ਛੱਡੋ",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "ਉਦਾਹਰਣ ਲਈ '30ਸ','10ਮਿ'. ਸਹੀ ਸਮਾਂ ਇਕਾਈਆਂ ਹਨ 'ਸ', 'ਮ', 'ਘੰ'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "ਸੰਪਾਦਨ ਕਰੋ",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "ਈਮੇਲ",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "ਨਿਰਯਾਤ ਮਾਡਲ",
"Export Presets": "",
"Export Prompts": "ਪ੍ਰੰਪਟ ਨਿਰਯਾਤ ਕਰੋ",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "ਵਧੀਆ ਜਵਾਬ",
"Google PSE API Key": "Google PSE API ਕੁੰਜੀ",
"Google PSE Engine Id": "ਗੂਗਲ PSE ਇੰਜਣ ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "ਹ:ਮਿੰਟ ਪੂਃ",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "ਸਤ ਸ੍ਰੀ ਅਕਾਲ, {{name}}",
"Help": "ਮਦਦ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "ਲੁਕਾਓ",
"Hide Model": "",
"Host": "",
"How can I help you today?": "ਮੈਂ ਅੱਜ ਤੁਹਾਡੀ ਕਿਵੇਂ ਮਦਦ ਕਰ ਸਕਦਾ ਹਾਂ?",
"Hybrid Search": "ਹਾਈਬ੍ਰਿਡ ਖੋਜ",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "ਮਾਡਲ ਆਯਾਤ ਕਰੋ",
"Import Presets": "",
"Import Prompts": "ਪ੍ਰੰਪਟ ਆਯਾਤ ਕਰੋ",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "ਕੀਬੋਰਡ ਸ਼ਾਰਟਕਟ",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "ਮਾਡਲਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "ਓਲਾਮਾ ਮਾਡਲਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "ਪਾਈਪਲਾਈਨਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
"March": "ਮਾਰਚ",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "ਮਾਡਲ {{modelId}} ਨਹੀਂ ਮਿਲਿਆ",
"Model {{modelName}} is not vision capable": "ਮਾਡਲ {{modelName}} ਦ੍ਰਿਸ਼ਟੀ ਸਮਰੱਥ ਨਹੀਂ ਹੈ",
"Model {{name}} is now {{status}}": "ਮਾਡਲ {{name}} ਹੁਣ {{status}} ਹੈ",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ਮਾਡਲ ਫਾਈਲਸਿਸਟਮ ਪੱਥ ਪਾਇਆ ਗਿਆ। ਅੱਪਡੇਟ ਲਈ ਮਾਡਲ ਸ਼ੌਰਟਨੇਮ ਦੀ ਲੋੜ ਹੈ, ਜਾਰੀ ਨਹੀਂ ਰੱਖ ਸਕਦੇ।",
"Model Filtering": "",
"Model ID": "ਮਾਡਲ ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "ਮਾਡਲ ਚੁਣਿਆ ਨਹੀਂ ਗਿਆ",
"Model Params": "ਮਾਡਲ ਪਰਮਜ਼",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "ਮਾਡਲ ਵ੍ਹਾਈਟਲਿਸਟਿੰਗ",
"Model(s) Whitelisted": "ਮਾਡਲ(ਜ਼) ਵ੍ਹਾਈਟਲਿਸਟ ਕੀਤਾ ਗਿਆ",
"Modelfile Content": "ਮਾਡਲਫਾਈਲ ਸਮੱਗਰੀ",
"Models": "ਮਾਡਲ",
"Models Access": "",
"more": "",
"More": "ਹੋਰ",
"Move to Top": "",
"Name": "ਨਾਮ",
"Name your knowledge base": "",
"New Chat": "ਨਵੀਂ ਗੱਲਬਾਤ",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ",
"No search query generated": "ਕੋਈ ਖੋਜ ਪੁੱਛਗਿੱਛ ਤਿਆਰ ਨਹੀਂ ਕੀਤੀ ਗਈ",
"No source available": "ਕੋਈ ਸਰੋਤ ਉਪਲਬਧ ਨਹੀਂ",
"No users were found.": "",
"No valves to update": "",
"None": "ਕੋਈ ਨਹੀਂ",
"Not factually correct": "ਤੱਥਕ ਰੂਪ ਵਿੱਚ ਸਹੀ ਨਹੀਂ",
@ -573,13 +598,13 @@
"Ollama": "ਓਲਾਮਾ",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API ਅਸਮਰੱਥ",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "ਓਲਾਮਾ ਵਰਜਨ",
"On": "ਚਾਲੂ",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "ਕਮਾਂਡ ਸਤਰ ਵਿੱਚ ਸਿਰਫ਼ ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ ਦੀ ਆਗਿਆ ਹੈ।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ਓਹੋ! ਲੱਗਦਾ ਹੈ ਕਿ URL ਗਲਤ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਦੁਬਾਰਾ ਜਾਂਚ ਕਰੋ ਅਤੇ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "ਓਪਨਏਆਈ URL/ਕੁੰਜੀ ਦੀ ਲੋੜ ਹੈ।",
"or": "ਜਾਂ",
"Organize your users": "",
"Other": "ਹੋਰ",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "ਮਾਈਕ੍ਰੋਫ਼ੋਨ ਤੱਕ ਪਹੁੰਚਣ ਸਮੇਂ ਆਗਿਆ ਰੱਦ ਕੀਤੀ ਗਈ: {{error}}",
"Permissions": "",
"Personalization": "ਪਰਸੋਨਲਿਸ਼ਮ",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "ਪ੍ਰੋਫਾਈਲ ਚਿੱਤਰ",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "ਪ੍ਰੰਪਟ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)",
"Prompt Content": "ਪ੍ਰੰਪਟ ਸਮੱਗਰੀ",
"Prompt created successfully": "",
"Prompt suggestions": "ਪ੍ਰੰਪਟ ਸੁਝਾਅ",
"Prompt updated successfully": "",
"Prompts": "ਪ੍ਰੰਪਟ",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ \"{{searchValue}}\" ਖਿੱਚੋ",
"Pull a model from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ ਇੱਕ ਮਾਡਲ ਖਿੱਚੋ",
"Query Params": "ਪ੍ਰਸ਼ਨ ਪੈਰਾਮੀਟਰ",
@ -709,13 +739,12 @@
"Seed": "ਬੀਜ",
"Select a base model": "ਆਧਾਰ ਮਾਡਲ ਚੁਣੋ",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "ਇੱਕ ਮਾਡਲ ਚੁਣੋ",
"Select a pipeline": "ਪਾਈਪਲਾਈਨ ਚੁਣੋ",
"Select a pipeline url": "ਪਾਈਪਲਾਈਨ URL ਚੁਣੋ",
"Select a tool": "",
"Select an Ollama instance": "ਇੱਕ ਓਲਾਮਾ ਇੰਸਟੈਂਸ ਚੁਣੋ",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "ਮਾਡਲ ਚੁਣੋ",
@ -734,6 +763,7 @@
"Set as default": "ਮੂਲ ਵਜੋਂ ਸੈੱਟ ਕਰੋ",
"Set CFG Scale": "",
"Set Default Model": "ਮੂਲ ਮਾਡਲ ਸੈੱਟ ਕਰੋ",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਸੈੱਟ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ {{model}})",
"Set Image Size": "ਚਿੱਤਰ ਆਕਾਰ ਸੈੱਟ ਕਰੋ",
"Set reranking model (e.g. {{model}})": "ਮੁੜ ਰੈਂਕਿੰਗ ਮਾਡਲ ਸੈੱਟ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ {{model}})",
@ -758,7 +788,6 @@
"Show": "ਦਿਖਾਓ",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "ਸ਼ਾਰਟਕਟ ਦਿਖਾਓ",
"Show your support!": "",
"Showcased creativity": "ਸਿਰਜਣਾਤਮਕਤਾ ਦਿਖਾਈ",
@ -788,7 +817,6 @@
"System": "ਸਿਸਟਮ",
"System Instructions": "",
"System Prompt": "ਸਿਸਟਮ ਪ੍ਰੰਪਟ",
"Tags": "ਟੈਗ",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL ਮੋਡ",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "ਗ੍ਰਾਵਾਟਾਰ ਵਰਤੋ",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "ਸ਼ੁਰੂਆਤੀ ਅੱਖਰ ਵਰਤੋ",
"use_mlock (Ollama)": "use_mlock (ਓਲਾਮਾ)",
"use_mmap (Ollama)": "use_mmap (ਓਲਾਮਾ)",
"user": "ਉਪਭੋਗਤਾ",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "ਉਪਭੋਗਤਾ ਅਧਿਕਾਰ",
"Username": "",
"Users": "ਉਪਭੋਗਤਾ",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਨਾਲ ਬਦਲਣ ਲਈ ਵੈਰੀਏਬਲ।",
"Version": "ਵਰਜਨ",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "ਚੇਤਾਵਨੀ",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "ਚੇਤਾਵਨੀ: ਜੇ ਤੁਸੀਂ ਆਪਣਾ ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਅੱਪਡੇਟ ਜਾਂ ਬਦਲਦੇ ਹੋ, ਤਾਂ ਤੁਹਾਨੂੰ ਸਾਰੇ ਡਾਕੂਮੈਂਟ ਮੁੜ ਆਯਾਤ ਕਰਨ ਦੀ ਲੋੜ ਹੋਵੇਗੀ।",
"Web": "ਵੈਬ",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "ਕਾਰਜਸਥਲ",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "ਇੱਕ ਪ੍ਰੰਪਟ ਸੁਝਾਅ ਲਿਖੋ (ਉਦਾਹਰਣ ਲਈ ਤੁਸੀਂ ਕੌਣ ਹੋ?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "50 ਸ਼ਬਦਾਂ ਵਿੱਚ ਇੱਕ ਸੰਖੇਪ ਲਿਖੋ ਜੋ [ਵਿਸ਼ਾ ਜਾਂ ਕੁੰਜੀ ਸ਼ਬਦ] ਨੂੰ ਸੰਖੇਪ ਕਰਦਾ ਹੈ।",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "ਤੁਸੀਂ",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "ਤੁਸੀਂ ਆਧਾਰ ਮਾਡਲ ਨੂੰ ਕਲੋਨ ਨਹੀਂ ਕਰ ਸਕਦੇ",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "ਤੁਹਾਡੇ ਕੋਲ ਕੋਈ ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ ਨਹੀਂ ਹਨ।",
"You have shared this chat": "ਤੁਸੀਂ ਇਹ ਗੱਲਬਾਤ ਸਾਂਝੀ ਕੀਤੀ ਹੈ",
"You're a helpful assistant.": "ਤੁਸੀਂ ਇੱਕ ਮਦਦਗਾਰ ਸਹਾਇਕ ਹੋ।",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(np. `sh webui.sh --api`)",
"(latest)": "(najnowszy)",
"{{ models }}": "{{ modele }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Nie można usunąć modelu podstawowego",
"{{user}}'s Chats": "{{user}} - czaty",
"{{webUIName}} Backend Required": "Backend {{webUIName}} wymagane",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadań jest używany podczas wykonywania zadań, takich jak generowanie tytułów czatów i zapytań wyszukiwania w Internecie",
"a user": "użytkownik",
"About": "O nas",
"Accessible to all users": "",
"Account": "Konto",
"Account Activation Pending": "",
"Accurate information": "Dokładna informacja",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Dodaj własne polecenie",
"Add Files": "Dodaj pliki",
"Add Group": "",
"Add Memory": "Dodaj pamięć",
"Add Model": "Dodaj model",
"Add Tag": "",
"Add Tags": "Dodaj tagi",
"Add text content": "",
"Add User": "Dodaj użytkownika",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Dostosowanie tych ustawień spowoduje zastosowanie zmian uniwersalnie do wszystkich użytkowników.",
"admin": "admin",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "Zaawansowane parametry",
"All chats": "",
"All Documents": "Wszystkie dokumenty",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Pozwól na usuwanie czatu",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "Klucze API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Kwiecień",
"Archive": "Archiwum",
"Archive All Chats": "Archiwizuj wszystkie czaty",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Kierunek czatu",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Czaty",
"Check Again": "Sprawdź ponownie",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Kolekcja",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "Bazowy URL ComfyUI",
"ComfyUI Base URL is required.": "Bazowy URL ComfyUI jest wymagany.",
@ -178,10 +185,12 @@
"Copy Link": "Kopiuj link",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Kopiowanie do schowka zakończone powodzeniem!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Tworzenie modelu",
"Create Account": "Utwórz konto",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Utwórz nowy klucz",
"Create new secret key": "Utwórz nowy klucz bezpieczeństwa",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Domyślny (SentenceTransformers)",
"Default Model": "Model domyślny",
"Default model updated": "Domyślny model zaktualizowany",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Domyślne sugestie promptów",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Odkryj, pobierz i eksploruj ustawienia modeli",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Wyświetl nazwę użytkownika zamiast Ty w czacie",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Pobieranie",
"Download canceled": "Pobieranie przerwane",
"Download Database": "Pobierz bazę danych",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Upuść pliki tutaj, aby dodać do rozmowy",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "np. '30s', '10m'. Poprawne jednostki czasu to 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Edytuj",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Edytuj użytkownika",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Eksportuj modele",
"Export Presets": "",
"Export Prompts": "Eksportuj prompty",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Dobra odpowiedź",
"Google PSE API Key": "Klucz API Google PSE",
"Google PSE Engine Id": "Identyfikator silnika Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Witaj, {{name}}",
"Help": "Pomoc",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Ukryj",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Jak mogę Ci dzisiaj pomóc?",
"Hybrid Search": "Szukanie hybrydowe",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Importowanie modeli",
"Import Presets": "",
"Import Prompts": "Importuj prompty",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Skróty klawiszowe",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Zarządzaj modelami",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Zarządzaj modelami Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Zarządzanie potokami",
"March": "Marzec",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Model {{modelId}} nie został znaleziony",
"Model {{modelName}} is not vision capable": "Model {{modelName}} nie jest w stanie zobaczyć",
"Model {{name}} is now {{status}}": "Model {{name}} to teraz {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Wykryto ścieżkę systemu plików modelu. Wymagana jest krótka nazwa modelu do aktualizacji, nie można kontynuować.",
"Model Filtering": "",
"Model ID": "Identyfikator modelu",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Model nie został wybrany",
"Model Params": "Parametry modelu",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Whitelisting modelu",
"Model(s) Whitelisted": "Model(e) dodane do listy białej",
"Modelfile Content": "Zawartość pliku modelu",
"Models": "Modele",
"Models Access": "",
"more": "",
"More": "Więcej",
"Move to Top": "",
"Name": "Nazwa",
"Name your knowledge base": "",
"New Chat": "Nowy czat",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Nie znaleziono rezultatów",
"No search query generated": "Nie wygenerowano zapytania wyszukiwania",
"No source available": "Źródło nie dostępne",
"No users were found.": "",
"No valves to update": "",
"None": "Żaden",
"Not factually correct": "Nie zgodne z faktami",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Interfejs API Ollama wyłączony",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Wersja Ollama",
"On": "Włączony",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "W poleceniu dozwolone są tylko znaki alfanumeryczne i myślniki.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Wygląda na to, że URL jest nieprawidłowy. Sprawdź jeszcze raz i spróbuj ponownie.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Klucz OpenAI jest wymagany.",
"or": "lub",
"Organize your users": "",
"Other": "Inne",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Odmowa dostępu do mikrofonu: {{error}}",
"Permissions": "",
"Personalization": "Personalizacja",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Obrazek profilowy",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (np. powiedz mi zabawny fakt o Imperium Rzymskim",
"Prompt Content": "Zawartość prompta",
"Prompt created successfully": "",
"Prompt suggestions": "Sugestie prompta",
"Prompt updated successfully": "",
"Prompts": "Prompty",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Pobierz \"{{searchValue}}\" z Ollama.com",
"Pull a model from Ollama.com": "Pobierz model z Ollama.com",
"Query Params": "Parametry zapytania",
@ -711,13 +741,12 @@
"Seed": "Seed",
"Select a base model": "Wybieranie modelu bazowego",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Wybierz model",
"Select a pipeline": "Wybieranie potoku",
"Select a pipeline url": "Wybieranie adresu URL potoku",
"Select a tool": "",
"Select an Ollama instance": "Wybierz instancję Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Wybierz model",
@ -736,6 +765,7 @@
"Set as default": "Ustaw jako domyślne",
"Set CFG Scale": "",
"Set Default Model": "Ustaw domyślny model",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Ustaw model osadzania (e.g. {{model}})",
"Set Image Size": "Ustaw rozmiar obrazu",
"Set reranking model (e.g. {{model}})": "Ustaw zmianę rankingu modelu (e.g. {{model}})",
@ -760,7 +790,6 @@
"Show": "Pokaż",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Pokaż skróty",
"Show your support!": "",
"Showcased creativity": "Pokaz kreatywności",
@ -790,7 +819,6 @@
"System": "System",
"System Instructions": "",
"System Prompt": "Prompt systemowy",
"Tags": "Tagi",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -852,15 +880,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -900,13 +928,13 @@
"URL Mode": "Tryb adresu URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Użyj Gravatara",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Użyj inicjałów",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "użytkownik",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Uprawnienia użytkownika",
"Username": "",
"Users": "Użytkownicy",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "zmienna która zostanie zastąpiona zawartością schowka.",
"Version": "Wersja",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Ostrzeżenie",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Uwaga: Jeśli uaktualnisz lub zmienisz model osadzania, będziesz musiał ponownie zaimportować wszystkie dokumenty.",
"Web": "Sieć",
"Web API": "",
@ -943,6 +973,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Obszar roboczy",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Napisz sugestię do polecenia (np. Kim jesteś?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Napisz podsumowanie w 50 słowach, które podsumowuje [temat lub słowo kluczowe].",
"Write something...": "",
@ -951,8 +982,8 @@
"You": "Ty",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "Nie można sklonować modelu podstawowego",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Nie masz zarchiwizowanych rozmów.",
"You have shared this chat": "Udostępniłeś ten czat",
"You're a helpful assistant.": "Jesteś pomocnym asystentem.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(por exemplo, `sh webui.sh --api`)",
"(latest)": "(último)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Você não pode deletar um modelo base",
"{{user}}'s Chats": "Chats de {{user}}",
"{{webUIName}} Backend Required": "Backend {{webUIName}} necessário",
"*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) são obrigatórios para gerar imagens",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao realizar tarefas como gerar títulos para chats e consultas de pesquisa na web",
"a user": "um usuário",
"About": "Sobre",
"Accessible to all users": "",
"Account": "Conta",
"Account Activation Pending": "Ativação da Conta Pendente",
"Accurate information": "Informação precisa",
@ -28,12 +28,14 @@
"Add content here": "Adicionar conteúdo aqui",
"Add custom prompt": "Adicionar prompt personalizado",
"Add Files": "Adicionar Arquivos",
"Add Group": "",
"Add Memory": "Adicionar Memória",
"Add Model": "Adicionar Modelo",
"Add Tag": "Adicionar Tag",
"Add Tags": "Adicionar Tags",
"Add text content": "Adicionar conteúdo de texto",
"Add User": "Adicionar Usuário",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ajustar essas configurações aplicará mudanças para todos os usuários.",
"admin": "admin",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Parâmetros Avançados",
"All chats": "Todos os chats",
"All Documents": "Todos os Documentos",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permitir Exclusão de Chats",
"Allow Chat Editing": "Permitir Edição de Chats",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Permitir vozes não locais",
"Allow Temporary Chat": "Permitir Conversa Temporária",
"Allow User Location": "Permitir Localização do Usuário",
@ -62,6 +66,7 @@
"API keys": "Chaves API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Abril",
"Archive": "Arquivar",
"Archive All Chats": "Arquivar Todos os Chats",
@ -115,6 +120,7 @@
"Chat Controls": "Controles de Chat",
"Chat direction": "Direção do Chat",
"Chat Overview": "Visão Geral do Chat",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Tags de Chat Geradas Automaticamente",
"Chats": "Chats",
"Check Again": "Verificar Novamente",
@ -145,6 +151,7 @@
"Code execution": "Execução de código",
"Code formatted successfully": "Código formatado com sucesso",
"Collection": "Coleção",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL Base do ComfyUI",
"ComfyUI Base URL is required.": "URL Base do ComfyUI é necessária.",
@ -178,10 +185,12 @@
"Copy Link": "Copiar Link",
"Copy to clipboard": "Copiar para a área de transferência",
"Copying to clipboard was successful!": "Cópia para a área de transferência bem-sucedida!",
"Create": "",
"Create a knowledge base": "Criar uma base de conhecimento",
"Create a model": "Criar um modelo",
"Create Account": "Criar Conta",
"Create Admin Account": "Criar Conta de Admin",
"Create Group": "",
"Create Knowledge": "Criar conhecimento",
"Create new key": "Criar nova chave",
"Create new secret key": "Criar nova chave secreta",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Padrão (SentenceTransformers)",
"Default Model": "Modelo Padrão",
"Default model updated": "Modelo padrão atualizado",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Sugestões de Prompt Padrão",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Descubra, baixe e explore ferramentas personalizadas",
"Discover, download, and explore model presets": "Descubra, baixe e explore predefinições de modelos",
"Dismissible": "Descartável",
"Display": "",
"Display Emoji in Call": "Exibir Emoji na Chamada",
"Display the username instead of You in the Chat": "Exibir o nome de usuário em vez de Você no Chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Baixar",
"Download canceled": "Download cancelado",
"Download Database": "Baixar Banco de Dados",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Solte qualquer arquivo aqui para adicionar à conversa",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "por exemplo, '30s', '10m'. Unidades de tempo válidas são 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Editar",
"Edit Arena Model": "Editar Modelo Arena",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Editar Memória",
"Edit User": "Editar Usuário",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "Embarque em aventuras",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exportar Configuração para Arquivo JSON",
"Export Functions": "Exportar Funções",
"Export Models": "Exportar Modelos",
"Export Presets": "",
"Export Prompts": "Exportar Prompts",
"Export to CSV": "Exportar para CSV",
"Export Tools": "Exportar Ferramentas",
@ -409,6 +425,11 @@
"Good Response": "Boa Resposta",
"Google PSE API Key": "Chave API do Google PSE",
"Google PSE Engine Id": "ID do Motor do Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Olá, {{name}}",
"Help": "Ajuda",
"Help us create the best community leaderboard by sharing your feedback history!": "Ajude-nos a criar o melhor ranking da comunidade compartilhando sua historial de comentaários!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Ocultar",
"Hide Model": "Ocultar Modelo",
"Host": "",
"How can I help you today?": "Como posso ajudar você hoje?",
"Hybrid Search": "Pesquisa Híbrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importar Configurações de JSON",
"Import Functions": "Importar Funções",
"Import Models": "Importar Modelos",
"Import Presets": "",
"Import Prompts": "Importar Prompts",
"Import Tools": "Importar Ferramentas",
"Include": "Incluir",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Atalhos de Teclado",
"Knowledge": "Conhecimento",
"Knowledge Access": "",
"Knowledge created successfully.": "Conhecimento criado com sucesso.",
"Knowledge deleted successfully.": "Conhecimento excluído com sucesso.",
"Knowledge reset successfully.": "Conhecimento resetado com sucesso.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Certifique-se de exportar um arquivo workflow.json como o formato API do ComfyUI.",
"Manage": "Gerenciar",
"Manage Arena Models": "Gerenciar Modelos Arena",
"Manage Models": "Gerenciar Modelos",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gerenciar Modelos Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gerenciar Pipelines",
"March": "Março",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modelo {{modelId}} não encontrado",
"Model {{modelName}} is not vision capable": "Modelo {{modelName}} não é capaz de visão",
"Model {{name}} is now {{status}}": "Modelo {{name}} está agora {{status}}",
"Model {{name}} is now at the top": "Modelo {{name}} está agora no topo",
"Model accepts image inputs": "Modelo aceita entradas de imagens",
"Model created successfully!": "Modelo criado com sucesso!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Caminho do sistema de arquivos do modelo detectado. Nome curto do modelo é necessário para atualização, não é possível continuar.",
"Model Filtering": "",
"Model ID": "ID do Modelo",
"Model IDs": "",
"Model Name": "Nome do Modelo",
"Model not selected": "Modelo não selecionado",
"Model Params": "Parâmetros do Modelo",
"Model Permissions": "",
"Model updated successfully": "Modelo atualizado com sucesso",
"Model Whitelisting": "Lista Branca de Modelos",
"Model(s) Whitelisted": "Modelo(s) na Lista Branca",
"Modelfile Content": "Conteúdo do Arquivo do Modelo",
"Models": "Modelos",
"Models Access": "",
"more": "mais",
"More": "Mais",
"Move to Top": "Mover para o topo",
"Name": "Nome",
"Name your knowledge base": "Nome da sua base de conhecimento",
"New Chat": "Novo Chat",
@ -549,12 +571,15 @@
"No feedbacks found": "Comentários não encontrados",
"No file selected": "Nenhum arquivo selecionado",
"No files found.": "Nenhum arquivo encontrado.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Nenhum conteúdo HTML, CSS ou JavaScript encontrado.",
"No knowledge found": "nenhum conhecimento encontrado",
"No model IDs": "",
"No models found": "Nenhum modelo encontrado",
"No results found": "Nenhum resultado encontrado",
"No search query generated": "Nenhuma consulta de pesquisa gerada",
"No source available": "Nenhuma fonte disponível",
"No users were found.": "",
"No valves to update": "Nenhuma válvula para atualizar",
"None": "Nenhum",
"Not factually correct": "Não está factualmente correto",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama desativada",
"Ollama API is disabled": "API Ollama está desativada",
"Ollama API settings updated": "",
"Ollama Version": "Versão Ollama",
"On": "Ligado",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Parece que a URL é inválida. Por favor, verifique novamente e tente de novo.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Ops! Existem arquivos a serem carregados. Por favor, aguarde que o carregamento tenha concluído.",
"Oops! There was an error in the previous response.": "Ops! Houve um erro na resposta anterior.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Chave OpenAI necessária.",
"or": "ou",
"Organize your users": "",
"Other": "Outro",
"OUTPUT": "SAÍDA",
"Output format": "Formato de saída",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Permissão negada ao acessar dispositivos de mídia",
"Permission denied when accessing microphone": "Permissão negada ao acessar o microfone",
"Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}",
"Permissions": "",
"Personalization": "Personalização",
"Pin": "Fixar",
"Pinned": "Fixado",
@ -633,8 +660,11 @@
"Profile Image": "Imagem de Perfil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por exemplo, Diga-me um fato divertido sobre o Império Romano)",
"Prompt Content": "Conteúdo do Prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Sugestões de Prompt",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com",
"Pull a model from Ollama.com": "Obter um modelo de Ollama.com",
"Query Params": "Parâmetros de Consulta",
@ -710,13 +740,12 @@
"Seed": "Seed",
"Select a base model": "Selecione um modelo base",
"Select a engine": "Selecione um motor",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Selecione uma função",
"Select a group": "",
"Select a model": "Selecione um modelo",
"Select a pipeline": "Selecione um pipeline",
"Select a pipeline url": "Selecione uma URL de pipeline",
"Select a tool": "Selecione uma ferramenta",
"Select an Ollama instance": "Selecione uma instância Ollama",
"Select Engine": "Selecionar motor",
"Select Knowledge": "Selecionar conhecimento",
"Select model": "Selecionar modelo",
@ -735,6 +764,7 @@
"Set as default": "Definir como padrão",
"Set CFG Scale": "Definir escala CFG",
"Set Default Model": "Definir Modelo Padrão",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Definir modelo de embedding (por exemplo, {{model}})",
"Set Image Size": "Definir Tamanho da Imagem",
"Set reranking model (e.g. {{model}})": "Definir modelo de reclassificação (por exemplo, {{model}})",
@ -759,7 +789,6 @@
"Show": "Mostrar",
"Show \"What's New\" modal on login": "Mostrar \"novidades\" no login",
"Show Admin Details in Account Pending Overlay": "Mostrar Detalhes do Administrador na Sobreposição de Conta Pendentes",
"Show Model": "Mostrar Modelo",
"Show shortcuts": "Mostrar atalhos",
"Show your support!": "Mostre seu apoio!",
"Showcased creativity": "Criatividade exibida",
@ -789,7 +818,6 @@
"System": "Sistema",
"System Instructions": "Instruções do sistema",
"System Prompt": "Prompt do Sistema",
"Tags": "Tags",
"Tags Generation Prompt": "Prompt para geração de Tags",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Toque para interromper",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens a Manter na Atualização do Contexto (num_keep)",
"Too verbose": "Muito detalhado",
"Tool": "Ferramenta",
"Tool created successfully": "Ferramenta criada com sucesso",
"Tool deleted successfully": "Ferramenta excluída com sucesso",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Ferramenta importada com sucesso",
"Tool Name": "",
"Tool updated successfully": "Ferramenta atualizada com sucesso",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Ferramentas",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Ferramentas são um sistema de chamada de funções com execução de código arbitrário",
"Tools have a function calling system that allows arbitrary code execution": "Ferramentas possuem um sistema de chamada de funções que permite a execução de código arbitrário",
"Tools have a function calling system that allows arbitrary code execution.": "Ferramentas possuem um sistema de chamada de funções que permite a execução de código arbitrário.",
@ -899,13 +927,13 @@
"URL Mode": "Modo URL",
"Use '#' in the prompt input to load and include your knowledge.": "Usar '#' no prompt para carregar e incluir seus conhecimentos.",
"Use Gravatar": "Usar Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Usar Iniciais",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "usuário",
"User": "Usuário",
"User location successfully retrieved.": "Localização do usuário recuperada com sucesso.",
"User Permissions": "Permissões do Usuário",
"Username": "",
"Users": "Usuários",
"Using the default arena model with all models. Click the plus button to add custom models.": "Usando o modelo arena padrão para todos os modelos. Clique no botão mais para adicionar modelos personalizados.",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variável para ser substituída pelo conteúdo da área de transferência.",
"Version": "Versão",
"Version {{selectedVersion}} of {{totalVersions}}": "Versão {{selectedVersion}} de {{totalVersions}}",
"Visibility": "",
"Voice": "Voz",
"Voice Input": "Entrada de voz",
"Warning": "Aviso",
"Warning:": "Aviso:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Aviso: Se você atualizar ou alterar seu modelo de incorporação, será necessário reimportar todos os documentos.",
"Web": "Web",
"Web API": "API Web",
@ -942,6 +972,7 @@
"Won": "Positivo",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Espaço de Trabalho",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Escreva uma sugestão de prompt (por exemplo, Quem é você?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escreva um resumo em 50 palavras que resuma [tópico ou palavra-chave].",
"Write something...": "Escrevendo algo...",
@ -950,8 +981,8 @@
"You": "Você",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Você pode personalizar suas interações com LLMs adicionando memórias através do botão 'Gerenciar' abaixo, tornando-as mais úteis e adaptadas a você.",
"You cannot clone a base model": "Você não pode clonar um modelo base",
"You cannot upload an empty file.": "Você não pode carregar um arquivo vazio.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Você não tem conversas arquivadas.",
"You have shared this chat": "Você compartilhou este chat",
"You're a helpful assistant.": "Você é um assistente útil.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(por exemplo, `sh webui.sh --api`)",
"(latest)": "(mais recente)",
"{{ models }}": "{{ modelos }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Não é possível excluir um modelo base",
"{{user}}'s Chats": "{{user}}'s Chats",
"{{webUIName}} Backend Required": "{{webUIName}} Backend Necessário",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao executar tarefas como gerar títulos para bate-papos e consultas de pesquisa na Web",
"a user": "um utilizador",
"About": "Acerca de",
"Accessible to all users": "",
"Account": "Conta",
"Account Activation Pending": "Ativação da Conta Pendente",
"Accurate information": "Informações precisas",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Adicionar um prompt curto",
"Add Files": "Adicionar Ficheiros",
"Add Group": "",
"Add Memory": "Adicionar memória",
"Add Model": "Adicionar modelo",
"Add Tag": "",
"Add Tags": "adicionar tags",
"Add text content": "",
"Add User": "Adicionar Utilizador",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ajustar essas configurações aplicará alterações universalmente a todos os utilizadores.",
"admin": "administrador",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Params Avançados",
"All chats": "",
"All Documents": "Todos os Documentos",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permitir Exclusão de Conversa",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Permitir vozes não locais",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "Chaves da API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Abril",
"Archive": "Arquivo",
"Archive All Chats": "Arquivar todos os chats",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Direção da Conversa",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Conversas",
"Check Again": "Verifique novamente",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Coleção",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL Base do ComfyUI",
"ComfyUI Base URL is required.": "O URL Base do ComfyUI é obrigatório.",
@ -178,10 +185,12 @@
"Copy Link": "Copiar link",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Cópia para a área de transferência bem-sucedida!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Criar um modelo",
"Create Account": "Criar Conta",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Criar nova chave",
"Create new secret key": "Criar nova chave secreta",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Padrão (SentenceTransformers)",
"Default Model": "Modelo padrão",
"Default model updated": "Modelo padrão atualizado",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Sugestões de Prompt Padrão",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Descubra, descarregue e explore predefinições de modelo",
"Dismissible": "Dispensável",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Exibir o nome de utilizador em vez de Você na Conversa",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Descarregar",
"Download canceled": "Download cancelado",
"Download Database": "Descarregar Base de Dados",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Largue os ficheiros aqui para adicionar à conversa",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "por exemplo, '30s', '10m'. Unidades de tempo válidas são 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Editar",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Editar Utilizador",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "E-mail",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Modelos de Exportação",
"Export Presets": "",
"Export Prompts": "Exportar Prompts",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Boa Resposta",
"Google PSE API Key": "Chave da API PSE do Google",
"Google PSE Engine Id": "ID do mecanismo PSE do Google",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Olá, {{name}}",
"Help": "Ajuda",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Ocultar",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Como posso ajudá-lo hoje?",
"Hybrid Search": "Pesquisa Híbrida",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Importar Modelos",
"Import Presets": "",
"Import Prompts": "Importar Prompts",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Atalhos de teclado",
"Knowledge": "Conhecimento",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Gerir",
"Manage Arena Models": "",
"Manage Models": "Gerir Modelos",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gerir Modelos Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gerir pipelines",
"March": "Março",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modelo {{modelId}} não foi encontrado",
"Model {{modelName}} is not vision capable": "O modelo {{modelName}} não é capaz de visão",
"Model {{name}} is now {{status}}": "Modelo {{name}} agora é {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Dtectado caminho do sistema de ficheiros do modelo. É necessário o nome curto do modelo para atualização, não é possível continuar.",
"Model Filtering": "",
"Model ID": "ID do modelo",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modelo não selecionado",
"Model Params": "Params Modelo",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Lista de Permissões do Modelo",
"Model(s) Whitelisted": "Modelo(s) na Lista de Permissões",
"Modelfile Content": "Conteúdo do Ficheiro do Modelo",
"Models": "Modelos",
"Models Access": "",
"more": "",
"More": "Mais",
"Move to Top": "",
"Name": "Nome",
"Name your knowledge base": "",
"New Chat": "Nova Conversa",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Não foram encontrados resultados",
"No search query generated": "Não foi gerada nenhuma consulta de pesquisa",
"No source available": "Nenhuma fonte disponível",
"No users were found.": "",
"No valves to update": "",
"None": "Nenhum",
"Not factually correct": "Não é correto em termos factuais",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API do Ollama desativada",
"Ollama API is disabled": "A API do Ollama está desactivada",
"Ollama API settings updated": "",
"Ollama Version": "Versão do Ollama",
"On": "Ligado",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Epá! Parece que o URL é inválido. Verifique novamente e tente outra vez.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "URL/Chave da API OpenAI é necessária.",
"or": "ou",
"Organize your users": "",
"Other": "Outro",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "A permissão foi negada ao aceder aos dispositivos de media",
"Permission denied when accessing microphone": "A permissão foi negada ao aceder ao microfone",
"Permission denied when accessing microphone: {{error}}": "A permissão foi negada ao aceder o microfone: {{error}}",
"Permissions": "",
"Personalization": "Personalização",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Imagem de Perfil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ex.: Dê-me um facto divertido sobre o Império Romano)",
"Prompt Content": "Conteúdo do Prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Sugestões de Prompt",
"Prompt updated successfully": "",
"Prompts": "Prompts",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Puxar \"{{searchValue}}\" do Ollama.com",
"Pull a model from Ollama.com": "Puxar um modelo do Ollama.com",
"Query Params": "Parâmetros de Consulta",
@ -710,13 +740,12 @@
"Seed": "Semente",
"Select a base model": "Selecione um modelo base",
"Select a engine": "Selecione um motor",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Selecione um modelo",
"Select a pipeline": "Selecione um pipeline",
"Select a pipeline url": "Selecione um URL de pipeline",
"Select a tool": "",
"Select an Ollama instance": "Selecione uma instância Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Selecione o modelo",
@ -735,6 +764,7 @@
"Set as default": "Definir como padrão",
"Set CFG Scale": "",
"Set Default Model": "Definir Modelo Padrão",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Definir modelo de vetorização (ex.: {{model}})",
"Set Image Size": "Definir Tamanho da Imagem",
"Set reranking model (e.g. {{model}})": "Definir modelo de reranking (ex.: {{model}})",
@ -759,7 +789,6 @@
"Show": "Mostrar",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Mostrar Detalhes do Administrador na sobreposição de Conta Pendente",
"Show Model": "",
"Show shortcuts": "Mostrar atalhos",
"Show your support!": "",
"Showcased creativity": "Criatividade Exibida",
@ -789,7 +818,6 @@
"System": "Sistema",
"System Instructions": "",
"System Prompt": "Prompt do Sistema",
"Tags": "Etiquetas",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "Modo de URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Usar Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Usar Iniciais",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "utilizador",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Permissões do Utilizador",
"Username": "",
"Users": "Utilizadores",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variável para que sejam substituídos pelo conteúdo da área de transferência.",
"Version": "Versão",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Aviso",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Aviso: Se você atualizar ou alterar o seu modelo de vetorização, você tem de reimportar todos os documentos.",
"Web": "Web",
"Web API": "Web API",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Espaço de Trabalho",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Escreva uma sugestão de prompt (por exemplo, Quem és tu?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escreva um resumo em 50 palavras que resuma [tópico ou palavra-chave].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Você",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Você pode personalizar as suas interações com LLMs adicionando memórias através do botão Gerir abaixo, tornando-as mais úteis e personalizadas para você.",
"You cannot clone a base model": "Não é possível clonar um modelo base",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Você não tem conversas arquivadas.",
"You have shared this chat": "Você partilhou esta conversa",
"You're a helpful assistant.": "Você é um assistente útil.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(de ex. `sh webui.sh --api`)",
"(latest)": "(ultimul)",
"{{ models }}": "{{ modele }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Nu puteți șterge un model de bază",
"{{user}}'s Chats": "Conversațiile lui {{user}}",
"{{webUIName}} Backend Required": "Este necesar backend-ul {{webUIName}}",
"*Prompt node ID(s) are required for image generation": "*Sunt necesare ID-urile nodurilor de solicitare pentru generarea imaginii*",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de sarcină este utilizat pentru realizarea unor sarcini precum generarea de titluri pentru conversații și interogări de căutare pe web",
"a user": "un utilizator",
"About": "Despre",
"Accessible to all users": "",
"Account": "Cont",
"Account Activation Pending": "Activarea contului în așteptare",
"Accurate information": "Informații precise",
@ -28,12 +28,14 @@
"Add content here": "Adăugați conținut aici",
"Add custom prompt": "Adaugă prompt personalizat",
"Add Files": "Adaugă Fișiere",
"Add Group": "",
"Add Memory": "Adaugă Memorie",
"Add Model": "Adaugă Model",
"Add Tag": "Adaugă Etichetă",
"Add Tags": "Adaugă Etichete",
"Add text content": "Adăugați conținut textual",
"Add User": "Adaugă Utilizator",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Ajustarea acestor setări va aplica modificările universal pentru toți utilizatorii.",
"admin": "administrator",
"Admin": "Administrator",
@ -44,8 +46,10 @@
"Advanced Params": "Parametri Avansați",
"All chats": "Toate conversațiile",
"All Documents": "Toate Documentele",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Permite Ștergerea Conversațiilor",
"Allow Chat Editing": "Permiterea editării chat-ului",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Permite voci non-locale",
"Allow Temporary Chat": "Permite Chat Temporar",
"Allow User Location": "Permite Localizarea Utilizatorului",
@ -62,6 +66,7 @@
"API keys": "Chei API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Aprilie",
"Archive": "Arhivează",
"Archive All Chats": "Arhivează Toate Conversațiile",
@ -115,6 +120,7 @@
"Chat Controls": "Controale pentru Conversație",
"Chat direction": "Direcția conversației",
"Chat Overview": "Prezentare generală a conversației",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Generare automată a etichetelor de conversație",
"Chats": "Conversații",
"Check Again": "Verifică din Nou",
@ -145,6 +151,7 @@
"Code execution": "Executarea codului",
"Code formatted successfully": "Cod formatat cu succes",
"Collection": "Colecție",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL De Bază ComfyUI",
"ComfyUI Base URL is required.": "Este necesar URL-ul De Bază ComfyUI.",
@ -178,10 +185,12 @@
"Copy Link": "Copiază Link",
"Copy to clipboard": "Copiază în clipboard",
"Copying to clipboard was successful!": "Copierea în clipboard a fost realizată cu succes!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Creează un model",
"Create Account": "Creează Cont",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "Creează cunoștințe",
"Create new key": "Creează cheie nouă",
"Create new secret key": "Creează cheie secretă nouă",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Implicit (SentenceTransformers)",
"Default Model": "Model Implicit",
"Default model updated": "Modelul implicit a fost actualizat",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Sugestii de Prompt Implicite",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Descoperă, descarcă și explorează instrumente personalizate",
"Discover, download, and explore model presets": "Descoperă, descarcă și explorează presetări de model",
"Dismissible": "Ignorabil",
"Display": "",
"Display Emoji in Call": "Afișează Emoji în Apel",
"Display the username instead of You in the Chat": "Afișează numele utilizatorului în loc de Tu în Conversație",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Descarcă",
"Download canceled": "Descărcare anulată",
"Download Database": "Descarcă Baza de Date",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Desenează",
"Drop any files here to add to the conversation": "Plasează orice fișiere aici pentru a le adăuga la conversație",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "de ex. '30s', '10m'. Unitățile de timp valide sunt 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Editează",
"Edit Arena Model": "Editați Modelul Arena",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Editează Memorie",
"Edit User": "Editează Utilizator",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Exportă Configurația în Fișier JSON",
"Export Functions": "Exportă Funcțiile",
"Export Models": "Exportă Modelele",
"Export Presets": "",
"Export Prompts": "Exportă Prompturile",
"Export to CSV": "",
"Export Tools": "Exportă Instrumentele",
@ -409,6 +425,11 @@
"Good Response": "Răspuns Bun",
"Google PSE API Key": "Cheie API Google PSE",
"Google PSE Engine Id": "ID Motor Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Feedback haptic",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Salut, {{name}}",
"Help": "Ajutor",
"Help us create the best community leaderboard by sharing your feedback history!": "Ajută-ne să creăm cel mai bun clasament al comunității împărtășind istoricul tău de feedback!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Ascunde",
"Hide Model": "Ascunde Modelul",
"Host": "",
"How can I help you today?": "Cum te pot ajuta astăzi?",
"Hybrid Search": "Căutare Hibridă",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Importarea configurației dintr-un fișier JSON",
"Import Functions": "Importă Funcțiile",
"Import Models": "Importă Modelele",
"Import Presets": "",
"Import Prompts": "Importă Prompturile",
"Import Tools": "Importă Instrumentele",
"Include": "Include",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Scurtături de la Tastatură",
"Knowledge": "Cunoștințe",
"Knowledge Access": "",
"Knowledge created successfully.": "Cunoașterea a fost creată cu succes.",
"Knowledge deleted successfully.": "Cunoștințele au fost șterse cu succes.",
"Knowledge reset successfully.": "Resetarea cunoștințelor a fost efectuată cu succes.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Asigură-te că exporți un fișier {{workflow.json}} în format API din {{ComfyUI}}.",
"Manage": "Gestionează",
"Manage Arena Models": "Gestionați Modelele Arena",
"Manage Models": "Gestionează Modelele",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Gestionează Modelele Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Gestionează Conductele",
"March": "Martie",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modelul {{modelId}} nu a fost găsit",
"Model {{modelName}} is not vision capable": "Modelul {{modelName}} nu are capacități de viziune",
"Model {{name}} is now {{status}}": "Modelul {{name}} este acum {{status}}",
"Model {{name}} is now at the top": "Modelul {{name}} este acum în vârf.",
"Model accepts image inputs": "Modelul acceptă imagini ca intrări.",
"Model created successfully!": "Modelul a fost creat cu succes!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Calea sistemului de fișiere al modelului detectată. Este necesar numele scurt al modelului pentru actualizare, nu se poate continua.",
"Model Filtering": "",
"Model ID": "ID Model",
"Model IDs": "",
"Model Name": "Nume model",
"Model not selected": "Modelul nu a fost selectat",
"Model Params": "Parametri Model",
"Model Permissions": "",
"Model updated successfully": "Modelul a fost actualizat cu succes",
"Model Whitelisting": "Model pe Lista Albă",
"Model(s) Whitelisted": "Model(e) pe Lista Albă",
"Modelfile Content": "Conținutul Fișierului Model",
"Models": "Modele",
"Models Access": "",
"more": "mai mult",
"More": "Mai multe",
"Move to Top": "Mută în partea de sus",
"Name": "Nume",
"Name your knowledge base": "",
"New Chat": "Conversație Nouă",
@ -549,12 +571,15 @@
"No feedbacks found": "Niciun feedback găsit",
"No file selected": "Nu a fost selectat niciun fișier",
"No files found.": "Nu au fost găsite fișiere.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "Niciun conținut HTML, CSS sau JavaScript găsit.",
"No knowledge found": "Nu au fost găsite informații.",
"No model IDs": "",
"No models found": "Nu s-au găsit modele",
"No results found": "Nu au fost găsite rezultate",
"No search query generated": "Nu a fost generată nicio interogare de căutare",
"No source available": "Nicio sursă disponibilă",
"No users were found.": "",
"No valves to update": "Nu există valve de actualizat",
"None": "Niciunul",
"Not factually correct": "Nu este corect din punct de vedere factual",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "API Ollama",
"Ollama API disabled": "API Ollama dezactivat",
"Ollama API is disabled": "API Ollama este dezactivat",
"Ollama API settings updated": "",
"Ollama Version": "Versiune Ollama",
"On": "Activat",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Doar caracterele alfanumerice și cratimele sunt permise în șirul de comandă.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Doar colecțiile pot fi editate, creați o nouă bază de cunoștințe pentru a edita/adăuga documente.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Se pare că URL-ul este invalid. Vă rugăm să verificați din nou și să încercați din nou.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Ups! Încă mai există fișiere care se încarcă. Vă rugăm să așteptați până se finalizează încărcarea.",
"Oops! There was an error in the previous response.": "Ups! A apărut o eroare în răspunsul anterior.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Este necesar URL-ul/Cheia OpenAI.",
"or": "sau",
"Organize your users": "",
"Other": "Altele",
"OUTPUT": "Output rezultatat",
"Output format": "Formatul de ieșire",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Permisiunea refuzată la accesarea dispozitivelor media",
"Permission denied when accessing microphone": "Permisiunea refuzată la accesarea microfonului",
"Permission denied when accessing microphone: {{error}}": "Permisiunea refuzată la accesarea microfonului: {{error}}",
"Permissions": "",
"Personalization": "Personalizare",
"Pin": "Fixează",
"Pinned": "Fixat",
@ -633,8 +660,11 @@
"Profile Image": "Imagine de Profil",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (de ex. Spune-mi un fapt amuzant despre Imperiul Roman)",
"Prompt Content": "Conținut Prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Sugestii de Prompt",
"Prompt updated successfully": "",
"Prompts": "Prompturi",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Extrage \"{{searchValue}}\" de pe Ollama.com",
"Pull a model from Ollama.com": "Extrage un model de pe Ollama.com",
"Query Params": "Parametri Interogare",
@ -710,13 +740,12 @@
"Seed": "",
"Select a base model": "Selectează un model de bază",
"Select a engine": "Selectează un motor",
"Select a file to view or drag and drop a file to upload": "Selectați un fișier pentru a vizualiza sau trageți și plasați un fișier pentru a-l încărca",
"Select a function": "Selectează o funcție",
"Select a group": "",
"Select a model": "Selectează un model",
"Select a pipeline": "Selectează o conductă",
"Select a pipeline url": "Selectează un URL de conductă",
"Select a tool": "Selectează un instrument",
"Select an Ollama instance": "Selectează o instanță Ollama",
"Select Engine": "Selectează motorul",
"Select Knowledge": "Selectarea cunoștințelor (Knowledge Selection) este un proces esențial în multiple domenii, incluzând inteligența artificială și învățarea automată. Aceasta presupune alegerea corectă a informațiilor sau datelor relevante dintr-un set mai mare pentru a le utiliza în analize, modele sau sisteme specifice. De exemplu, în învățarea automată, selectarea caracteristicilor este un aspect al selectării cunoștințelor și implică alegerea celor mai relevante date de intrare care contribuie la îmbunătățirea preciziei modelului.",
"Select model": "Selectează model",
@ -735,6 +764,7 @@
"Set as default": "Setează ca implicit",
"Set CFG Scale": "Setează scala CFG",
"Set Default Model": "Setează Modelul Implicit",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Setează modelul de încapsulare (de ex. {{model}})",
"Set Image Size": "Setează Dimensiunea Imaginilor",
"Set reranking model (e.g. {{model}})": "Setează modelul de rearanjare (de ex. {{model}})",
@ -759,7 +789,6 @@
"Show": "Afișează",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Afișează Detaliile Administratorului în Suprapunerea Contului În Așteptare",
"Show Model": "Afișează Modelul",
"Show shortcuts": "Afișează scurtături",
"Show your support!": "Arată-ți susținerea!",
"Showcased creativity": "Creativitate expusă",
@ -789,7 +818,6 @@
"System": "Sistem",
"System Instructions": "Instrucțiuni pentru sistem",
"System Prompt": "Prompt de Sistem",
"Tags": "Etichete",
"Tags Generation Prompt": "Generarea de Etichete Prompt",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Apasă pentru a întrerupe",
@ -851,15 +879,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "Tokeni de Păstrat la Reîmprospătarea Contextului (num_keep)",
"Too verbose": "Prea detaliat",
"Tool": "Unealtă",
"Tool created successfully": "Instrumentul a fost creat cu succes",
"Tool deleted successfully": "Instrumentul a fost șters cu succes",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Instrumentul a fost importat cu succes",
"Tool Name": "",
"Tool updated successfully": "Instrumentul a fost actualizat cu succes",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Instrumente",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Instrumentele sunt un sistem de apelare a funcțiilor cu executare arbitrară a codului",
"Tools have a function calling system that allows arbitrary code execution": "Instrumentele au un sistem de apelare a funcțiilor care permite executarea arbitrară a codului",
"Tools have a function calling system that allows arbitrary code execution.": "Instrumentele au un sistem de apelare a funcțiilor care permite executarea arbitrară a codului.",
@ -899,13 +927,13 @@
"URL Mode": "Mod URL",
"Use '#' in the prompt input to load and include your knowledge.": "Folosește '#' în prompt pentru a încărca și include cunoștințele tale.",
"Use Gravatar": "Folosește Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Folosește Inițialele",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "utilizator",
"User": "Utilizator",
"User location successfully retrieved.": "Localizarea utilizatorului a fost preluată cu succes.",
"User Permissions": "Permisiuni Utilizator",
"Username": "",
"Users": "Utilizatori",
"Using the default arena model with all models. Click the plus button to add custom models.": "Folosind modelul implicit de arenă cu toate modelele. Faceți clic pe butonul plus pentru a adăuga modele personalizate.",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "variabilă pentru a fi înlocuite cu conținutul clipboard-ului.",
"Version": "Versiune",
"Version {{selectedVersion}} of {{totalVersions}}": "Versiunea {{selectedVersion}} din {{totalVersions}}",
"Visibility": "",
"Voice": "Voce",
"Voice Input": "Intrare vocală",
"Warning": "Avertisment",
"Warning:": "Avertisment:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertisment: Dacă actualizați sau schimbați modelul de încapsulare, va trebui să reimportați toate documentele.",
"Web": "Web",
"Web API": "API Web",
@ -942,6 +972,7 @@
"Won": "Câștigat",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Spațiu de Lucru",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Scrieți o sugestie de prompt (de ex. Cine ești?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Scrieți un rezumat în 50 de cuvinte care rezumă [subiect sau cuvânt cheie].",
"Write something...": "Scrie ceva...",
@ -950,8 +981,8 @@
"You": "Tu",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Puteți discuta cu un număr maxim de {{maxCount}} fișier(e) simultan.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Puteți personaliza interacțiunile dvs. cu LLM-urile adăugând amintiri prin butonul 'Gestionează' de mai jos, făcându-le mai utile și adaptate la dvs.",
"You cannot clone a base model": "Nu puteți clona un model de bază",
"You cannot upload an empty file.": "Nu poți încărca un fișier gol.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Nu aveți conversații arhivate.",
"You have shared this chat": "Ați partajat această conversație",
"You're a helpful assistant.": "Ești un asistent util.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(например, `sh webui.sh --api`)",
"(latest)": "(последняя)",
"{{ models }}": "{{ модели }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Вы не можете удалить базовую модель",
"{{user}}'s Chats": "Чаты {{user}}'а",
"{{webUIName}} Backend Required": "Необходимо подключение к серверу {{webUIName}}",
"*Prompt node ID(s) are required for image generation": "ID узлов промптов обязательны для генерации изображения",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач используется при выполнении таких задач, как генерация заголовков для чатов и поисковых запросов в Интернете",
"a user": "пользователь",
"About": "О программе",
"Accessible to all users": "",
"Account": "Учетная запись",
"Account Activation Pending": "Ожидание активации учетной записи",
"Accurate information": "Точная информация",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Добавьте пользовательский промпт",
"Add Files": "Добавить файлы",
"Add Group": "",
"Add Memory": "Добавить воспоминание",
"Add Model": "Добавить модель",
"Add Tag": "Добавить тег",
"Add Tags": "Добавить теги",
"Add text content": "",
"Add User": "Добавить пользователя",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Изменения в этих настройках будут применены для всех пользователей.",
"admin": "админ",
"Admin": "Админ",
@ -44,8 +46,10 @@
"Advanced Params": "Расширенные параметры",
"All chats": "",
"All Documents": "Все документы",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Разрешить удаление чата",
"Allow Chat Editing": "Разрешить редактирование чата",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Разрешить не локальные голоса",
"Allow Temporary Chat": "Разрешить временные чаты",
"Allow User Location": "Разрешить доступ к местоположению пользователя",
@ -62,6 +66,7 @@
"API keys": "Ключи API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Апрель",
"Archive": "Архив",
"Archive All Chats": "Архивировать все чаты",
@ -115,6 +120,7 @@
"Chat Controls": "Управление чатом",
"Chat direction": "Направление чата",
"Chat Overview": "Обзор чата",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Чаты",
"Check Again": "Перепроверьте ещё раз",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Код успешно отформатирован",
"Collection": "Коллекция",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "Базовый адрес URL ComfyUI",
"ComfyUI Base URL is required.": "Необходим базовый адрес URL ComfyUI.",
@ -178,10 +185,12 @@
"Copy Link": "Копировать ссылку",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Копирование в буфер обмена прошло успешно!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Создание модели",
"Create Account": "Создать аккаунт",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Создать новый ключ",
"Create new secret key": "Создать новый секретный ключ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "По умолчанию (SentenceTransformers)",
"Default Model": "Модель по умолчанию",
"Default model updated": "Модель по умолчанию обновлена",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Предложения промптов по умолчанию",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Находите, загружайте и исследуйте пользовательские инструменты",
"Discover, download, and explore model presets": "Находите, загружайте и исследуйте пользовательские предустановки моделей",
"Dismissible": "Можно отклонить",
"Display": "",
"Display Emoji in Call": "Отображать эмодзи в вызовах",
"Display the username instead of You in the Chat": "Отображать имя пользователя вместо 'Вы' в чате",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Загрузить",
"Download canceled": "Загрузка отменена",
"Download Database": "Загрузить базу данных",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Перетащите сюда файлы, чтобы добавить их в разговор",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "например, '30s','10m'. Допустимые единицы времени: 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Редактировать",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Редактировать воспоминание",
"Edit User": "Редактировать пользователя",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Электронная почта",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Экспорт конфигурации в JSON-файл",
"Export Functions": "Экспортировать функции",
"Export Models": "Экспортировать модели",
"Export Presets": "",
"Export Prompts": "Экспортировать промпты",
"Export to CSV": "",
"Export Tools": "Экспортировать инструменты",
@ -409,6 +425,11 @@
"Good Response": "Хороший ответ",
"Google PSE API Key": "Ключ API Google PSE",
"Google PSE Engine Id": "Id движка Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Тактильная обратная связь",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Привет, {{name}}",
"Help": "Помощь",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Скрыть",
"Hide Model": "Скрыть модель",
"Host": "",
"How can I help you today?": "Чем я могу помочь вам сегодня?",
"Hybrid Search": "Гибридная поисковая система",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Импорт конфигурации из JSON-файла",
"Import Functions": "Импортировать функции",
"Import Models": "Импортировать модели",
"Import Presets": "",
"Import Prompts": "Импортировать промпты",
"Import Tools": "Импортировать инструменты",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Горячие клавиши",
"Knowledge": "Знания",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Убедитесь, что экспортируете файл workflow.json в формате API из ComfyUI.",
"Manage": "Управлять",
"Manage Arena Models": "",
"Manage Models": "Управление моделями",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Управление моделями Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Управление конвейерами",
"March": "Март",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Модель {{modelId}} не найдена",
"Model {{modelName}} is not vision capable": "Модель {{modelName}} не поддерживает зрение",
"Model {{name}} is now {{status}}": "Модель {{name}} теперь {{status}}",
"Model {{name}} is now at the top": "Модель {{name}} теперь сверху",
"Model accepts image inputs": "Модель принимает изображения как входные данные",
"Model created successfully!": "Модель успешно создана!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Обнаружен путь к файловой системе модели. Для обновления требуется краткое имя модели, не удается продолжить.",
"Model Filtering": "",
"Model ID": "ID модели",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Модель не выбрана",
"Model Params": "Параметры модели",
"Model Permissions": "",
"Model updated successfully": "Модель успешно обновлена",
"Model Whitelisting": "Включение модели в белый список",
"Model(s) Whitelisted": "Модель(и) включены в белый список",
"Modelfile Content": "Содержимое файла модели",
"Models": "Модели",
"Models Access": "",
"more": "",
"More": "Больше",
"Move to Top": "Поднять вверх",
"Name": "Имя",
"Name your knowledge base": "",
"New Chat": "Новый чат",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Файлы не выбраны",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Результатов не найдено",
"No search query generated": "Поисковый запрос не сгенерирован",
"No source available": "Нет доступных источников",
"No users were found.": "",
"No valves to update": "Нет вентилей для обновления",
"None": "Нет",
"Not factually correct": "Не соответствует действительности",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API отключен",
"Ollama API is disabled": "Ollama API отключен",
"Ollama API settings updated": "",
"Ollama Version": "Версия Ollama",
"On": "Включено",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "В строке команды разрешено использовать только буквенно-цифровые символы и дефисы.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Похоже, что URL-адрес недействителен. Пожалуйста, перепроверьте и попробуйте еще раз.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Требуется URL-адрес API OpenAI или ключ API.",
"or": "или",
"Organize your users": "",
"Other": "Прочее",
"OUTPUT": "",
"Output format": "Формат вывода",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Отказано в разрешении на доступ к мультимедийным устройствам",
"Permission denied when accessing microphone": "Отказано в разрешении на доступ к микрофону",
"Permission denied when accessing microphone: {{error}}": "Отказано в разрешении на доступ к микрофону: {{error}}",
"Permissions": "",
"Personalization": "Персонализация",
"Pin": "Закрепить",
"Pinned": "Закреплено",
@ -633,8 +660,11 @@
"Profile Image": "Изображение профиля",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (например, Расскажи мне интересный факт о Римской империи)",
"Prompt Content": "Содержание промпта",
"Prompt created successfully": "",
"Prompt suggestions": "Предложения промптов",
"Prompt updated successfully": "",
"Prompts": "Промпты",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Загрузить \"{{searchValue}}\" с Ollama.com",
"Pull a model from Ollama.com": "Загрузить модель с Ollama.com",
"Query Params": "Параметры запроса",
@ -711,13 +741,12 @@
"Seed": "Сид",
"Select a base model": "Выберите базовую модель",
"Select a engine": "Выберите движок",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Выберите функцию",
"Select a group": "",
"Select a model": "Выберите модель",
"Select a pipeline": "Выберите конвейер",
"Select a pipeline url": "Выберите URL-адрес конвейера",
"Select a tool": "Выберите инструмент",
"Select an Ollama instance": "Выберите экземпляр Ollama",
"Select Engine": "Выберите движок",
"Select Knowledge": "",
"Select model": "Выберите модель",
@ -736,6 +765,7 @@
"Set as default": "Установить по умолчанию",
"Set CFG Scale": "Установить CFG Scale",
"Set Default Model": "Установить модель по умолчанию",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Установить модель эмбеддинга (например, {{model}})",
"Set Image Size": "Установить размер изображения",
"Set reranking model (e.g. {{model}})": "Установить модель реранжирования (например, {{model}})",
@ -760,7 +790,6 @@
"Show": "Показать",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Показывать данные администратора в оверлее ожидающей учетной записи",
"Show Model": "Показать модель",
"Show shortcuts": "Показать горячие клавиши",
"Show your support!": "Поддержите нас!",
"Showcased creativity": "Продемонстрирован творческий подход",
@ -790,7 +819,6 @@
"System": "Система",
"System Instructions": "",
"System Prompt": "Системный промпт",
"Tags": "Теги",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Нажмите, чтобы прервать",
@ -852,15 +880,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Количество токенов для сохранения при обновлении контекста (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Инструмент успешно создан",
"Tool deleted successfully": "Инструмент успешно удален",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Инструмент успешно импортирован",
"Tool Name": "",
"Tool updated successfully": "Инструмент успешно обновлен",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Инструменты",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Инструменты - это система вызова функций с выполнением произвольного кода",
"Tools have a function calling system that allows arbitrary code execution": "Инструменты имеют систему вызова функций, которая позволяет выполнять произвольный код",
"Tools have a function calling system that allows arbitrary code execution.": "Инструменты имеют систему вызова функций, которая позволяет выполнять произвольный код.",
@ -900,13 +928,13 @@
"URL Mode": "Режим URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Использовать Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Использовать инициалы",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "пользователь",
"User": "",
"User location successfully retrieved.": "Местоположение пользователя успешно получено.",
"User Permissions": "Права пользователя",
"Username": "",
"Users": "Пользователи",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "переменную, чтобы заменить их содержимым буфера обмена.",
"Version": "Версия",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Голос",
"Voice Input": "",
"Warning": "Предупреждение",
"Warning:": "Предупреждение:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Предупреждение: Если вы обновите или измените модель эмбеддинга, вам нужно будет повторно импортировать все документы.",
"Web": "Веб",
"Web API": "Веб API",
@ -943,6 +973,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Рабочее пространство",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Напишите предложение промпта (например, Кто вы?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишите резюме в 50 словах, которое кратко описывает [тему или ключевое слово].",
"Write something...": "",
@ -951,8 +982,8 @@
"You": "Вы",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Одновременно вы можете общаться только с максимальным количеством файлов {{maxCount}}.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Вы можете персонализировать свое взаимодействие с LLMs, добавив воспоминания с помощью кнопки \"Управлять\" ниже, что сделает их более полезными и адаптированными для вас.",
"You cannot clone a base model": "Клонировать базовую модель невозможно",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "У вас нет архивированных бесед.",
"You have shared this chat": "Вы поделились этим чатом",
"You're a helpful assistant.": "Вы полезный ассистент.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(нпр. `sh webui.sh --api`)",
"(latest)": "(најновије)",
"{{ models }}": "{{ модели }}",
"{{ owner }}: You cannot delete a base model": "{{ оер }}: Не можете избрисати основни модел",
"{{user}}'s Chats": "Ћаскања корисника {{user}}",
"{{webUIName}} Backend Required": "Захтева се {{webUIName}} позадинац",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Модел задатка се користи приликом извршавања задатака као што су генерисање наслова за ћаскања и упите за Веб претрагу",
"a user": "корисник",
"About": "О нама",
"Accessible to all users": "",
"Account": "Налог",
"Account Activation Pending": "",
"Accurate information": "Прецизне информације",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Додај прилагођен упит",
"Add Files": "Додај датотеке",
"Add Group": "",
"Add Memory": "Додај меморију",
"Add Model": "Додај модел",
"Add Tag": "",
"Add Tags": "Додај ознаке",
"Add text content": "",
"Add User": "Додај корисника",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Прилагођавање ових подешавања ће применити промене на све кориснике.",
"admin": "админ",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "Напредни парамови",
"All chats": "",
"All Documents": "Сви документи",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Дозволи брисање ћаскања",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API кључеви",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Април",
"Archive": "Архива",
"Archive All Chats": "Архивирај све ћаскања",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Смер ћаскања",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Ћаскања",
"Check Again": "Провери поново",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Колекција",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "Основна адреса за ComfyUI",
"ComfyUI Base URL is required.": "Потребна је основна адреса за ComfyUI.",
@ -178,10 +185,12 @@
"Copy Link": "Копирај везу",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Успешно копирање у оставу!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Креирање модела",
"Create Account": "Направи налог",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Направи нови кључ",
"Create new secret key": "Направи нови тајни кључ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Подразумевано (SentenceTransformers)",
"Default Model": "Подразумевани модел",
"Default model updated": "Подразумевани модел ажуриран",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Подразумевани предлози упита",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Откријте, преузмите и истражите образце модела",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Прикажи корисничко име уместо Ти у чату",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Преузми",
"Download canceled": "Преузимање отказано",
"Download Database": "Преузми базу података",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Убаците било које датотеке овде да их додате у разговор",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "нпр. '30s', '10m'. Важеће временске јединице су 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Уреди",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Уреди корисника",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Е-пошта",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Извези моделе",
"Export Presets": "",
"Export Prompts": "Извези упите",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "Добар одговор",
"Google PSE API Key": "Гоогле ПСЕ АПИ кључ",
"Google PSE Engine Id": "Гоогле ПСЕ ИД мотора",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Здраво, {{name}}",
"Help": "Помоћ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Сакриј",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Како могу да вам помогнем данас?",
"Hybrid Search": "Хибридна претрага",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Увези моделе",
"Import Presets": "",
"Import Prompts": "Увези упите",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Пречице на тастатури",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "Управљај моделима",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Управљај Ollama моделима",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Управљање цевоводима",
"March": "Март",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Модел {{modelId}} није пронађен",
"Model {{modelName}} is not vision capable": "Модел {{моделНаме}} није способан за вид",
"Model {{name}} is now {{status}}": "Модел {{наме}} је сада {{статус}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Откривена путања система датотека модела. За ажурирање је потребан кратак назив модела, не може се наставити.",
"Model Filtering": "",
"Model ID": "ИД модела",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Модел није изабран",
"Model Params": "Модел Парамс",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Бели списак модела",
"Model(s) Whitelisted": "Модел(и) на белом списку",
"Modelfile Content": "Садржај модел-датотеке",
"Models": "Модели",
"Models Access": "",
"more": "",
"More": "Више",
"Move to Top": "",
"Name": "Име",
"Name your knowledge base": "",
"New Chat": "Ново ћаскање",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Нема резултата",
"No search query generated": "Није генерисан упит за претрагу",
"No source available": "Нема доступног извора",
"No users were found.": "",
"No valves to update": "",
"None": "Нико",
"Not factually correct": "Није чињенично тачно",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Оллама АПИ",
"Ollama API disabled": "Оллама АПИ онемогућен",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "Издање Ollama-е",
"On": "Укључено",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерички знакови и цртице су дозвољени у низу наредби.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изгледа да је адреса неважећа. Молимо вас да проверите и покушате поново.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Потребан је OpenAI URL/кључ.",
"or": "или",
"Organize your users": "",
"Other": "Остало",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "Приступ микрофону је одбијен: {{error}}",
"Permissions": "",
"Personalization": "Прилагођавање",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Слика профила",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „реци ми занимљивост о Римском царству“)",
"Prompt Content": "Садржај упита",
"Prompt created successfully": "",
"Prompt suggestions": "Предлози упита",
"Prompt updated successfully": "",
"Prompts": "Упити",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Повуците \"{{searchValue}}\" са Ollama.com",
"Pull a model from Ollama.com": "Повуците модел са Ollama.com",
"Query Params": "Параметри упита",
@ -710,13 +740,12 @@
"Seed": "Семе",
"Select a base model": "Избор основног модела",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Изабери модел",
"Select a pipeline": "Избор цевовода",
"Select a pipeline url": "Избор урл адресе цевовода",
"Select a tool": "",
"Select an Ollama instance": "Изабери Ollama инстанцу",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Изабери модел",
@ -735,6 +764,7 @@
"Set as default": "Подеси као подразумевано",
"Set CFG Scale": "",
"Set Default Model": "Подеси као подразумевани модел",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Подеси модел уградње (нпр. {{model}})",
"Set Image Size": "Подеси величину слике",
"Set reranking model (e.g. {{model}})": "Подеси модел поновног рангирања (нпр. {{model}})",
@ -759,7 +789,6 @@
"Show": "Прикажи",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "Прикажи пречице",
"Show your support!": "",
"Showcased creativity": "Приказана креативност",
@ -789,7 +818,6 @@
"System": "Систем",
"System Instructions": "",
"System Prompt": "Системски упит",
"Tags": "Ознаке",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -851,15 +879,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -899,13 +927,13 @@
"URL Mode": "Режим адресе",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Користи Граватар",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Користи иницијале",
"use_mlock (Ollama)": "усе _млоцк (Оллама)",
"use_mmap (Ollama)": "усе _ммап (Оллама)",
"user": "корисник",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Овлашћења корисника",
"Username": "",
"Users": "Корисници",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -918,10 +946,12 @@
"variable to have them replaced with clipboard content.": "променљива за замену са садржајем оставе.",
"Version": "Издање",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Упозорење",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Упозорење: ако ажурирате или промените ваш модел уградње, мораћете поново да увезете све документе.",
"Web": "Веб",
"Web API": "",
@ -942,6 +972,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Радни простор",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Напишите предлог упита (нпр. „ко си ти?“)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишите сажетак у 50 речи који резимира [тему или кључну реч].",
"Write something...": "",
@ -950,8 +981,8 @@
"You": "Ти",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "Не можеш клонирати основни модел",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Немате архивиране разговоре.",
"You have shared this chat": "Поделили сте ово ћаскање",
"You're a helpful assistant.": "Ти си користан помоћник.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(t.ex. `sh webui.sh --api`)",
"(latest)": "(senaste)",
"{{ models }}": "{{ modeller }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Du kan inte ta bort en basmodell",
"{{user}}'s Chats": "{{user}}s Chats",
"{{webUIName}} Backend Required": "{{webUIName}} Backend krävs",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "En uppgiftsmodell används när du utför uppgifter som att generera titlar för chattar och webbsökningsfrågor",
"a user": "en användare",
"About": "Om",
"Accessible to all users": "",
"Account": "Konto",
"Account Activation Pending": "Kontoaktivering väntar",
"Accurate information": "Exakt information",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Lägg till en anpassad instruktion",
"Add Files": "Lägg till filer",
"Add Group": "",
"Add Memory": "Lägg till minne",
"Add Model": "Lägg till modell",
"Add Tag": "",
"Add Tags": "Lägg till taggar",
"Add text content": "",
"Add User": "Lägg till användare",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Justering av dessa inställningar kommer att tillämpa ändringar universellt för alla användare.",
"admin": "administratör",
"Admin": "Admin",
@ -44,8 +46,10 @@
"Advanced Params": "Avancerade parametrar",
"All chats": "",
"All Documents": "Alla dokument",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Tillåt chattborttagning",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Tillåt icke-lokala röster",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "API-nycklar",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "april",
"Archive": "Arkiv",
"Archive All Chats": "Arkivera alla chattar",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "Chattriktning",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chattar",
"Check Again": "Kontrollera igen",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "Samling",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "ComfyUI Base URL krävs.",
@ -178,10 +185,12 @@
"Copy Link": "Kopiera länk",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Kopiering till urklipp lyckades!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Skapa en modell",
"Create Account": "Skapa konto",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Skapa ny nyckel",
"Create new secret key": "Skapa ny hemlig nyckel",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Standard (SentenceTransformers)",
"Default Model": "Standardmodell",
"Default model updated": "Standardmodell uppdaterad",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Standardinstruktionsförslag",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "Upptäck, ladda ner och utforska modellförinställningar",
"Dismissible": "Kan stängas",
"Display": "",
"Display Emoji in Call": "Visa Emoji under samtal",
"Display the username instead of You in the Chat": "Visa användarnamnet istället för du i chatten",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Ladda ner",
"Download canceled": "Nedladdning avbruten",
"Download Database": "Ladda ner databas",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Släpp filer här för att lägga till i samtalet",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "t.ex. '30s', '10m'. Giltiga tidsenheter är 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Redigera",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Redigera användare",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "E-post",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "Exportera modeller",
"Export Presets": "",
"Export Prompts": "Exportera instruktioner",
"Export to CSV": "",
"Export Tools": "Exportera verktyg",
@ -409,6 +425,11 @@
"Good Response": "Bra svar",
"Google PSE API Key": "Google PSE API-nyckel",
"Google PSE Engine Id": "Google PSE Engine Id",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Hej, {{name}}",
"Help": "Hjälp",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Dölj",
"Hide Model": "",
"Host": "",
"How can I help you today?": "Hur kan jag hjälpa dig idag?",
"Hybrid Search": "Hybrid sökning",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "Importera modeller",
"Import Presets": "",
"Import Prompts": "Importera instruktioner",
"Import Tools": "Importera verktyg",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Tangentbordsgenvägar",
"Knowledge": "Kunskap",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "Hantera",
"Manage Arena Models": "",
"Manage Models": "Hantera modeller",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Hantera Ollama-modeller",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Hantera rörledningar",
"March": "mars",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Modell {{modelId}} hittades inte",
"Model {{modelName}} is not vision capable": "Modellen {{modelName}} är inte synkapabel",
"Model {{name}} is now {{status}}": "Modellen {{name}} är nu {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellens filsystemväg upptäckt. Modellens kortnamn krävs för uppdatering, kan inte fortsätta.",
"Model Filtering": "",
"Model ID": "Modell-ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Modell inte vald",
"Model Params": "Modell Params",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "Modellens vitlista",
"Model(s) Whitelisted": "Vitlistade modeller",
"Modelfile Content": "Modelfilens innehåll",
"Models": "Modeller",
"Models Access": "",
"more": "",
"More": "Mer",
"Move to Top": "",
"Name": "Namn",
"Name your knowledge base": "",
"New Chat": "Ny chatt",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Inga resultat hittades",
"No search query generated": "Ingen sökfråga genererad",
"No source available": "Ingen tillgänglig källa",
"No users were found.": "",
"No valves to update": "",
"None": "Ingen",
"Not factually correct": "Inte faktiskt korrekt",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API inaktiverat",
"Ollama API is disabled": "Ollama API är inaktiverat",
"Ollama API settings updated": "",
"Ollama Version": "Ollama-version",
"On": "På",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Endast alfanumeriska tecken och bindestreck är tillåtna i kommandosträngen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppsan! Det ser ut som om URL:en är ogiltig. Dubbelkolla gärna och försök igen.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI-URL/nyckel krävs.",
"or": "eller",
"Organize your users": "",
"Other": "Andra",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Nekad behörighet vid åtkomst till mediaenheter",
"Permission denied when accessing microphone": "Nekad behörighet vid åtkomst till mikrofon",
"Permission denied when accessing microphone: {{error}}": "Tillstånd nekades vid åtkomst till mikrofon: {{error}}",
"Permissions": "",
"Personalization": "Personalisering",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "Profilbild",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Instruktion (t.ex. Berätta en kuriosa om Romerska Imperiet)",
"Prompt Content": "Instruktionens innehåll",
"Prompt created successfully": "",
"Prompt suggestions": "Instruktionsförslag",
"Prompt updated successfully": "",
"Prompts": "Instruktioner",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ladda ner \"{{searchValue}}\" från Ollama.com",
"Pull a model from Ollama.com": "Ladda ner en modell från Ollama.com",
"Query Params": "Inställningar för sökfråga",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Välj en basmodell",
"Select a engine": "Välj en motor",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "Välj en modell",
"Select a pipeline": "Välj en rörledning",
"Select a pipeline url": "Välj en URL för rörledningen",
"Select a tool": "",
"Select an Ollama instance": "Välj en Ollama-instans",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "Välj en modell",
@ -734,6 +763,7 @@
"Set as default": "Ange som standard",
"Set CFG Scale": "",
"Set Default Model": "Ange standardmodell",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Ställ in embedding modell (t.ex. {{model}})",
"Set Image Size": "Ange bildstorlek",
"Set reranking model (e.g. {{model}})": "Ställ in reranking modell (t.ex. {{model}})",
@ -758,7 +788,6 @@
"Show": "Visa",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Visa administratörsinformation till väntande konton",
"Show Model": "",
"Show shortcuts": "Visa genvägar",
"Show your support!": "",
"Showcased creativity": "Visade kreativitet",
@ -788,7 +817,6 @@
"System": "System",
"System Instructions": "",
"System Prompt": "Systeminstruktion",
"Tags": "Taggar",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Tokens att behålla vid kontextuppdatering (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Verktyg",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "URL-läge",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Använd Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Använd initialer",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "användare",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "Användarbehörigheter",
"Username": "",
"Users": "Användare",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "variabel för att få dem ersatta med urklippsinnehåll.",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "Varning",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Varning: Om du uppdaterar eller ändrar din embedding modell måste du importera alla dokument igen.",
"Web": "Webb",
"Web API": "Webb-API",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Arbetsyta",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Skriv ett instruktionsförslag (t.ex. Vem är du?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Skriv en sammanfattning på 50 ord som sammanfattar [ämne eller nyckelord].",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "Dig",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Du kan anpassa dina interaktioner med stora språkmodeller genom att lägga till minnen via knappen 'Hantera' nedan, så att de blir mer användbara och skräddarsydda för dig.",
"You cannot clone a base model": "Du kan inte klona en basmodell",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Du har inga arkiverade samtal.",
"You have shared this chat": "Du har delat denna chatt",
"You're a helpful assistant.": "Du är en hjälpsam assistent.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(เช่น `sh webui.sh --api`)",
"(latest)": "(ล่าสุด)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: คุณไม่สามารถลบโมเดลพื้นฐานได้",
"{{user}}'s Chats": "การสนทนาของ {{user}}",
"{{webUIName}} Backend Required": "ต้องการ Backend ของ {{webUIName}}",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "ใช้โมเดลงานเมื่อทำงานเช่นการสร้างหัวข้อสำหรับการสนทนาและการค้นหาเว็บ",
"a user": "ผู้ใช้",
"About": "เกี่ยวกับ",
"Accessible to all users": "",
"Account": "บัญชี",
"Account Activation Pending": "การเปิดใช้งานบัญชีอยู่ระหว่างดำเนินการ",
"Accurate information": "ข้อมูลที่ถูกต้อง",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "เพิ่มพรอมต์ที่กำหนดเอง",
"Add Files": "เพิ่มไฟล์",
"Add Group": "",
"Add Memory": "เพิ่มความจำ",
"Add Model": "เพิ่มโมเดล",
"Add Tag": "",
"Add Tags": "เพิ่มแท็ก",
"Add text content": "",
"Add User": "เพิ่มผู้ใช้",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "การปรับการตั้งค่าเหล่านี้จะนำไปใช้กับผู้ใช้ทั้งหมด",
"admin": "ผู้ดูแลระบบ",
"Admin": "ผู้ดูแลระบบ",
@ -44,8 +46,10 @@
"Advanced Params": "พารามิเตอร์ขั้นสูง",
"All chats": "",
"All Documents": "เอกสารทั้งหมด",
"Allow Chat Delete": "",
"Allow Chat Deletion": "อนุญาตการลบการสนทนา",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "อนุญาตเสียงที่ไม่ใช่ท้องถิ่น",
"Allow Temporary Chat": "",
"Allow User Location": "อนุญาตตำแหน่งผู้ใช้",
@ -62,6 +66,7 @@
"API keys": "คีย์ API",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "เมษายน",
"Archive": "เก็บถาวร",
"Archive All Chats": "เก็บถาวรการสนทนาทั้งหมด",
@ -115,6 +120,7 @@
"Chat Controls": "การควบคุมแชท",
"Chat direction": "ทิศทางการแชท",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "แชท",
"Check Again": "ตรวจสอบอีกครั้ง",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "จัดรูปแบบโค้ดสำเร็จแล้ว",
"Collection": "คอลเลคชัน",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL ฐานของ ComfyUI",
"ComfyUI Base URL is required.": "ต้องการ URL ฐานของ ComfyUI",
@ -178,10 +185,12 @@
"Copy Link": "คัดลอกลิงก์",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "คัดลอกไปยังคลิปบอร์ดสำเร็จแล้ว!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "สร้างโมเดล",
"Create Account": "สร้างบัญชี",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "สร้างคีย์ใหม่",
"Create new secret key": "สร้างคีย์ลับใหม่",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "ค่าเริ่มต้น (SentenceTransformers)",
"Default Model": "โมเดลค่าเริ่มต้น",
"Default model updated": "อัปเดตโมเดลค่าเริ่มต้นแล้ว",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "คำแนะนำพรอมต์ค่าเริ่มต้น",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "ค้นหา ดาวน์โหลด และสำรวจเครื่องมือที่กำหนดเอง",
"Discover, download, and explore model presets": "ค้นหา ดาวน์โหลด และสำรวจพรีเซ็ตโมเดล",
"Dismissible": "ยกเลิกได้",
"Display": "",
"Display Emoji in Call": "แสดงอิโมจิในการโทร",
"Display the username instead of You in the Chat": "แสดงชื่อผู้ใช้แทนคุณในการแชท",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ดาวน์โหลด",
"Download canceled": "ยกเลิกการดาวน์โหลด",
"Download Database": "ดาวน์โหลดฐานข้อมูล",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "วางไฟล์ใดๆ ที่นี่เพื่อเพิ่มในการสนทนา",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "เช่น '30s', '10m' หน่วยเวลาที่ถูกต้องคือ 's', 'm', 'h'",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "แก้ไข",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "แก้ไขความจำ",
"Edit User": "แก้ไขผู้ใช้",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "อีเมล",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "ส่งออกฟังก์ชัน",
"Export Models": "ส่งออกโมเดล",
"Export Presets": "",
"Export Prompts": "ส่งออกพรอมต์",
"Export to CSV": "",
"Export Tools": "ส่งออกเครื่องมือ",
@ -409,6 +425,11 @@
"Good Response": "การตอบสนองที่ดี",
"Google PSE API Key": "คีย์ API ของ Google PSE",
"Google PSE Engine Id": "รหัสเครื่องยนต์ของ Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "สวัสดี, {{name}}",
"Help": "ช่วยเหลือ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "ซ่อน",
"Hide Model": "ซ่อนโมเดล",
"Host": "",
"How can I help you today?": "วันนี้ฉันจะช่วยอะไรคุณได้บ้าง?",
"Hybrid Search": "การค้นหาแบบไฮบริด",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "นำเข้าฟังก์ชัน",
"Import Models": "นำเข้าโมเดล",
"Import Presets": "",
"Import Prompts": "นำเข้าพรอมต์",
"Import Tools": "นำเข้าเครื่องมือ",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "ทางลัดแป้นพิมพ์",
"Knowledge": "ความรู้",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "จัดการ",
"Manage Arena Models": "",
"Manage Models": "จัดการโมเดล",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "จัดการโมเดล Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "จัดการไปป์ไลน์",
"March": "มีนาคม",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "ไม่พบโมเดล {{modelId}}",
"Model {{modelName}} is not vision capable": "โมเดล {{modelName}} ไม่มีคุณสมบัติวิสชั่น",
"Model {{name}} is now {{status}}": "โมเดล {{name}} ขณะนี้ {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "สร้างโมเดลสำเร็จ!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ตรวจพบเส้นทางระบบไฟล์ของโมเดล ต้องการชื่อย่อของโมเดลสำหรับการอัปเดต ไม่สามารถดำเนินการต่อได้",
"Model Filtering": "",
"Model ID": "รหัสโมเดล",
"Model IDs": "",
"Model Name": "",
"Model not selected": "ยังไม่ได้เลือกโมเดล",
"Model Params": "พารามิเตอร์ของโมเดล",
"Model Permissions": "",
"Model updated successfully": "อัปเดตโมเดลเรียบร้อยแล้ว",
"Model Whitelisting": "การอนุญาตโมเดล",
"Model(s) Whitelisted": "โมเดลที่ได้รับอนุญาต",
"Modelfile Content": "เนื้อหาของไฟล์โมเดล",
"Models": "โมเดล",
"Models Access": "",
"more": "",
"More": "เพิ่มเติม",
"Move to Top": "",
"Name": "ชื่อ",
"Name your knowledge base": "",
"New Chat": "แชทใหม่",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "ไม่ได้เลือกไฟล์",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "ไม่มีผลลัพธ์",
"No search query generated": "ไม่มีการสร้างคำค้นหา",
"No source available": "ไม่มีแหล่งข้อมูล",
"No users were found.": "",
"No valves to update": "ไม่มีวาล์วที่จะอัปเดต",
"None": "ไม่มี",
"Not factually correct": "ไม่ถูกต้องตามข้อเท็จจริง",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "ปิด Ollama API",
"Ollama API is disabled": "Ollama API ถูกปิดใช้งาน",
"Ollama API settings updated": "",
"Ollama Version": "เวอร์ชั่น Ollama",
"On": "เปิด",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "อนุญาตให้ใช้เฉพาะอักขระตัวอักษรและตัวเลข รวมถึงเครื่องหมายขีดกลางในสตริงคำสั่งเท่านั้น",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "อุ๊บส์! ดูเหมือนว่า URL ไม่ถูกต้อง กรุณาตรวจสอบและลองใหม่อีกครั้ง",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "จำเป็นต้องใช้ URL/คีย์ OpenAI",
"or": "หรือ",
"Organize your users": "",
"Other": "อื่น ๆ",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "ถูกปฏิเสธเมื่อเข้าถึงอุปกรณ์",
"Permission denied when accessing microphone": "ถูกปฏิเสธเมื่อเข้าถึงไมโครโฟน",
"Permission denied when accessing microphone: {{error}}": "การอนุญาตถูกปฏิเสธเมื่อเข้าถึงไมโครโฟน: {{error}}",
"Permissions": "",
"Personalization": "การปรับแต่ง",
"Pin": "ปักหมุด",
"Pinned": "ปักหมุดแล้ว",
@ -633,8 +660,11 @@
"Profile Image": "รูปโปรไฟล์",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "พรอมต์ (เช่น บอกข้อเท็จจริงที่น่าสนุกเกี่ยวกับจักรวรรดิโรมัน)",
"Prompt Content": "เนื้อหาพรอมต์",
"Prompt created successfully": "",
"Prompt suggestions": "",
"Prompt updated successfully": "",
"Prompts": "พรอมต์",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "",
"Query Params": "พารามิเตอร์การค้นหา",
@ -709,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "เลือกโมเดลฐาน",
"Select a engine": "เลือกเอนจิน",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "เลือกฟังก์ชัน",
"Select a group": "",
"Select a model": "เลือกโมเดล",
"Select a pipeline": "เลือกไปป์ไลน์",
"Select a pipeline url": "เลือก URL ไปป์ไลน์",
"Select a tool": "เลือกเครื่องมือ",
"Select an Ollama instance": "เลือกอินสแตนซ์ Ollama",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "เลือกโมเดล",
@ -734,6 +763,7 @@
"Set as default": "ตั้งเป็นค่าเริ่มต้น",
"Set CFG Scale": "",
"Set Default Model": "ตั้งโมเดลเริ่มต้น",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "ตั้งค่าโมเดลการฝัง (เช่น {{model}})",
"Set Image Size": "ตั้งค่าขนาดภาพ",
"Set reranking model (e.g. {{model}})": "ตั้งค่าโมเดลการจัดอันดับใหม่ (เช่น {{model}})",
@ -758,7 +788,6 @@
"Show": "แสดง",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "แสดงรายละเอียดผู้ดูแลระบบในหน้าจอรอการอนุมัติบัญชี",
"Show Model": "แสดงโมเดล",
"Show shortcuts": "แสดงทางลัด",
"Show your support!": "แสดงการสนับสนุนของคุณ!",
"Showcased creativity": "แสดงความคิดสร้างสรรค์",
@ -788,7 +817,6 @@
"System": "ระบบ",
"System Instructions": "",
"System Prompt": "ระบบพรอมต์",
"Tags": "ป้ายชื่อ",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "แตะเพื่อขัดจังหวะ",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "โทเค็นที่เก็บไว้เมื่อรีเฟรชบริบท (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "สร้างเครื่องมือเรียบร้อยแล้ว",
"Tool deleted successfully": "ลบเครื่องมือเรียบร้อยแล้ว",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "นำเข้าเครื่องมือเรียบร้อยแล้ว",
"Tool Name": "",
"Tool updated successfully": "อัปเดตเครื่องมือเรียบร้อยแล้ว",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "เครื่องมือ",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "เครื่องมือคือระบบการเรียกใช้ฟังก์ชันที่สามารถดำเนินการโค้ดใดๆ ได้",
"Tools have a function calling system that allows arbitrary code execution": "เครื่องมือมีระบบการเรียกใช้ฟังก์ชันที่สามารถดำเนินการโค้ดใดๆ ได้",
"Tools have a function calling system that allows arbitrary code execution.": "เครื่องมือมีระบบการเรียกใช้ฟังก์ชันที่สามารถดำเนินการโค้ดใดๆ ได้",
@ -898,13 +926,13 @@
"URL Mode": "โหมด URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "ใช้ Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "ใช้ตัวย่อ",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "ผู้ใช้",
"User": "",
"User location successfully retrieved.": "ดึงตำแหน่งที่ตั้งของผู้ใช้เรียบร้อยแล้ว",
"User Permissions": "สิทธิ์ของผู้ใช้",
"Username": "",
"Users": "ผู้ใช้",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "ตัวแปรเพื่อให้แทนที่ด้วยเนื้อหาคลิปบอร์ด",
"Version": "เวอร์ชัน",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "เสียง",
"Voice Input": "",
"Warning": "คำเตือน",
"Warning:": "คำเตือน:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "คำเตือน: หากคุณอัปเดตหรือเปลี่ยนโมเดลการฝัง คุณจะต้องนำเข้าเอกสารทั้งหมดอีกครั้ง",
"Web": "เว็บ",
"Web API": "เว็บ API",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "พื้นที่ทำงาน",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "เขียนคำแนะนำพรอมต์ (เช่น คุณคือใคร?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "เขียนสรุปใน 50 คำที่สรุป [หัวข้อหรือคำสำคัญ]",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "คุณ",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "คุณสามารถปรับแต่งการโต้ตอบของคุณกับ LLMs โดยเพิ่มความทรงจำผ่านปุ่ม 'จัดการ' ด้านล่าง ทำให้มันมีประโยชน์และเหมาะกับคุณมากขึ้น",
"You cannot clone a base model": "คุณไม่สามารถโคลนโมเดลฐานได้",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "คุณไม่มีการสนทนาที่เก็บถาวร",
"You have shared this chat": "คุณได้แชร์แชทนี้แล้ว",
"You're a helpful assistant.": "คุณคือผู้ช่วยที่มีประโยชน์",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "",
"(latest)": "",
"{{ models }}": "",
"{{ owner }}: You cannot delete a base model": "",
"{{user}}'s Chats": "",
"{{webUIName}} Backend Required": "",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
"a user": "",
"About": "",
"Accessible to all users": "",
"Account": "",
"Account Activation Pending": "",
"Accurate information": "",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "",
"Add Files": "",
"Add Group": "",
"Add Memory": "",
"Add Model": "",
"Add Tag": "",
"Add Tags": "",
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "",
"admin": "",
"Admin": "",
@ -44,8 +46,10 @@
"Advanced Params": "",
"All chats": "",
"All Documents": "",
"Allow Chat Delete": "",
"Allow Chat Deletion": "",
"Allow Chat Editing": "",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "",
"Allow Temporary Chat": "",
"Allow User Location": "",
@ -62,6 +66,7 @@
"API keys": "",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "",
"Archive": "",
"Archive All Chats": "",
@ -115,6 +120,7 @@
"Chat Controls": "",
"Chat direction": "",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "",
"Check Again": "",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "",
"Collection": "",
"Color": "",
"ComfyUI": "",
"ComfyUI Base URL": "",
"ComfyUI Base URL is required.": "",
@ -178,10 +185,12 @@
"Copy Link": "",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "",
"Create": "",
"Create a knowledge base": "",
"Create a model": "",
"Create Account": "",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "",
"Create new secret key": "",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "",
"Default Model": "",
"Default model updated": "",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "",
"Discover, download, and explore model presets": "",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "",
"Download canceled": "",
"Download Database": "",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "",
"Export Models": "",
"Export Presets": "",
"Export Prompts": "",
"Export to CSV": "",
"Export Tools": "",
@ -409,6 +425,11 @@
"Good Response": "",
"Google PSE API Key": "",
"Google PSE Engine Id": "",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "",
"Haptic Feedback": "",
@ -416,8 +437,9 @@
"Hello, {{name}}": "",
"Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "",
"Hide Model": "",
"Host": "",
"How can I help you today?": "",
"Hybrid Search": "",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "",
"Import Models": "",
"Import Presets": "",
"Import Prompts": "",
"Import Tools": "",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "",
"March": "",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "",
"Model {{modelName}} is not vision capable": "",
"Model {{name}} is now {{status}}": "",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
"Model Filtering": "",
"Model ID": "",
"Model IDs": "",
"Model Name": "",
"Model not selected": "",
"Model Params": "",
"Model Permissions": "",
"Model updated successfully": "",
"Model Whitelisting": "",
"Model(s) Whitelisted": "",
"Modelfile Content": "",
"Models": "",
"Models Access": "",
"more": "",
"More": "",
"Move to Top": "",
"Name": "",
"Name your knowledge base": "",
"New Chat": "",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "",
"No search query generated": "",
"No source available": "",
"No users were found.": "",
"No valves to update": "",
"None": "",
"Not factually correct": "",
@ -573,13 +598,13 @@
"Ollama": "",
"Ollama API": "",
"Ollama API disabled": "",
"Ollama API is disabled": "",
"Ollama API settings updated": "",
"Ollama Version": "",
"On": "",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "",
"or": "",
"Organize your users": "",
"Other": "",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing microphone: {{error}}": "",
"Permissions": "",
"Personalization": "",
"Pin": "",
"Pinned": "",
@ -633,8 +660,11 @@
"Profile Image": "",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
"Prompt Content": "",
"Prompt created successfully": "",
"Prompt suggestions": "",
"Prompt updated successfully": "",
"Prompts": "",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "",
"Pull a model from Ollama.com": "",
"Query Params": "",
@ -709,13 +739,12 @@
"Seed": "",
"Select a base model": "",
"Select a engine": "",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "",
"Select a group": "",
"Select a model": "",
"Select a pipeline": "",
"Select a pipeline url": "",
"Select a tool": "",
"Select an Ollama instance": "",
"Select Engine": "",
"Select Knowledge": "",
"Select model": "",
@ -734,6 +763,7 @@
"Set as default": "",
"Set CFG Scale": "",
"Set Default Model": "",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "",
"Set Image Size": "",
"Set reranking model (e.g. {{model}})": "",
@ -758,7 +788,6 @@
"Show": "",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "",
"Show Model": "",
"Show shortcuts": "",
"Show your support!": "",
"Showcased creativity": "",
@ -788,7 +817,6 @@
"System": "",
"System Instructions": "",
"System Prompt": "",
"Tags": "",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution": "",
"Tools have a function calling system that allows arbitrary code execution.": "",
@ -898,13 +926,13 @@
"URL Mode": "",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "",
"use_mlock (Ollama)": "",
"use_mmap (Ollama)": "",
"user": "",
"User": "",
"User location successfully retrieved.": "",
"User Permissions": "",
"Username": "",
"Users": "",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "",
"Version": "",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"Warning": "",
"Warning:": "",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
"Web": "",
"Web API": "",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You cannot clone a base model": "",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "",
"You have shared this chat": "",
"You're a helpful assistant.": "",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(örn. `sh webui.sh --api`)",
"(latest)": "(en son)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Temel modeli silemezsiniz",
"{{user}}'s Chats": "{{user}}'ın Sohbetleri",
"{{webUIName}} Backend Required": "{{webUIName}} Arka-uç Gerekli",
"*Prompt node ID(s) are required for image generation": "*Görüntü oluşturma için düğüm kimlikleri gereklidir",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Bir görev modeli, sohbetler ve web arama sorguları için başlık oluşturma gibi görevleri yerine getirirken kullanılır",
"a user": "bir kullanıcı",
"About": "Hakkında",
"Accessible to all users": "",
"Account": "Hesap",
"Account Activation Pending": "Hesap Aktivasyonu Bekleniyor",
"Accurate information": "Doğru bilgi",
@ -28,12 +28,14 @@
"Add content here": "Buraya içerik ekleyin",
"Add custom prompt": "Özel prompt ekleyin",
"Add Files": "Dosyalar Ekle",
"Add Group": "",
"Add Memory": "Bellek Ekle",
"Add Model": "Model Ekle",
"Add Tag": "Etiket Ekle",
"Add Tags": "Etiketler Ekle",
"Add text content": "Metin içeriği ekleme",
"Add User": "Kullanıcı Ekle",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Bu ayarların yapılması, değişiklikleri tüm kullanıcılara evrensel olarak uygulayacaktır.",
"admin": "yönetici",
"Admin": "Yönetici",
@ -44,8 +46,10 @@
"Advanced Params": "Gelişmiş Parametreler",
"All chats": "Tüm sohbetler",
"All Documents": "Tüm Belgeler",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Sohbet Silmeye İzin Ver",
"Allow Chat Editing": "Soğbet Düzenlemeye İzin Ver",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Yerel olmayan seslere izin verin",
"Allow Temporary Chat": "Geçici Sohbetlere İzin Ver",
"Allow User Location": "Kullanıcı Konumuna İzin Ver",
@ -62,6 +66,7 @@
"API keys": "API anahtarları",
"Application DN": "Uygulama DN",
"Application DN Password": "Uygulama DN Parola",
"applies to all users with the \"user\" role": "",
"April": "Nisan",
"Archive": "Arşiv",
"Archive All Chats": "Tüm Sohbetleri Arşivle",
@ -115,6 +120,7 @@
"Chat Controls": "Sohbet Kontrolleri",
"Chat direction": "Sohbet Yönü",
"Chat Overview": "Sohbet Genel Bakış",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Sohbetler",
"Check Again": "Tekrar Kontrol Et",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Kod başarıyla biçimlendirildi",
"Collection": "Koleksiyon",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Temel URL",
"ComfyUI Base URL is required.": "ComfyUI Temel URL gerekli.",
@ -178,10 +185,12 @@
"Copy Link": "Bağlantıyı Kopyala",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Panoya kopyalama başarılı!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Bir model oluştur",
"Create Account": "Hesap Oluştur",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Yeni anahtar oluştur",
"Create new secret key": "Yeni gizli anahtar oluştur",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Varsayılan (SentenceTransformers)",
"Default Model": "Varsayılan Model",
"Default model updated": "Varsayılan model güncellendi",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Varsayılan Prompt Önerileri",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Özel araçları keşfedin, indirin ve inceleyin",
"Discover, download, and explore model presets": "Model ön ayarlarını keşfedin, indirin ve inceleyin",
"Dismissible": "Reddedilebilir",
"Display": "",
"Display Emoji in Call": "Aramada Emoji Göster",
"Display the username instead of You in the Chat": "Sohbet'te Siz yerine kullanıcı adını göster",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "İndir",
"Download canceled": "İndirme iptal edildi",
"Download Database": "Veritabanını İndir",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Sohbete eklemek istediğiniz dosyaları buraya bırakın",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "örn. '30s', '10m'. Geçerli zaman birimleri 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Düzenle",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Belleği Düzenle",
"Edit User": "Kullanıcıyı Düzenle",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "E-posta",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Fonksiyonları Dışa Aktar",
"Export Models": "Modelleri Dışa Aktar",
"Export Presets": "",
"Export Prompts": "Promptları Dışa Aktar",
"Export to CSV": "CSV'ye Aktar",
"Export Tools": "Araçları Dışa Aktar",
@ -378,6 +394,7 @@
"Focus chat input": "Sohbet girişine odaklan",
"Folder deleted successfully": "Klasör başarıyla silindi",
"Folder name cannot be empty": "Klasör adı boş olamaz",
"Folder name cannot be empty.": "",
"Folder name updated successfully": "Klasör adı başarıyla güncellendi",
"Followed instructions perfectly": "Talimatları mükemmel şekilde takip etti",
"Forge new paths": "Yeni yollar açın",
@ -408,6 +425,11 @@
"Good Response": "İyi Yanıt",
"Google PSE API Key": "Google PSE API Anahtarı",
"Google PSE Engine Id": "Google PSE Engine Id",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "Gruplar",
"h:mm a": "h:mm a",
"Haptic Feedback": "Dokunsal Geri Bildirim",
@ -415,8 +437,9 @@
"Hello, {{name}}": "Merhaba, {{name}}",
"Help": "Yardım",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Gizle",
"Hide Model": "Modeli Gizle",
"Host": "Ana bilgisayar",
"How can I help you today?": "Bugün size nasıl yardımcı olabilirim?",
"Hybrid Search": "Karma Arama",
@ -431,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Fonksiyonları İçe Aktar",
"Import Models": "Modelleri İçe Aktar",
"Import Presets": "",
"Import Prompts": "Promptları İçe Aktar",
"Import Tools": "Araçları İçe Aktar",
"Include": "Dahil etmek",
@ -457,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Klavye kısayolları",
"Knowledge": "Bilgi",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -486,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "ComfyUI'dan API formatında bir workflow.json dosyası olarak dışa aktardığınızdan emin olun.",
"Manage": "Yönet",
"Manage Arena Models": "",
"Manage Models": "Modelleri Yönet",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Ollama Modellerini Yönet",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Pipelineları Yönet",
"March": "Mart",
@ -520,23 +544,22 @@
"Model {{modelId}} not found": "{{modelId}} bulunamadı",
"Model {{modelName}} is not vision capable": "Model {{modelName}} görüntü yeteneğine sahip değil",
"Model {{name}} is now {{status}}": "{{name}} modeli artık {{status}}",
"Model {{name}} is now at the top": "{{name}} modeli artık en üstte",
"Model accepts image inputs": "Model görüntü girdilerini kabul eder",
"Model created successfully!": "Model başarıyla oluşturuldu!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model dosya sistemi yolu algılandı. Güncelleme için model kısa adı gerekli, devam edilemiyor.",
"Model Filtering": "",
"Model ID": "Model ID",
"Model IDs": "Model Kimlikleri",
"Model Name": "Model Adı",
"Model not selected": "Model seçilmedi",
"Model Params": "Model Parametreleri",
"Model Permissions": "",
"Model updated successfully": "Model başarıyla güncellendi",
"Model Whitelisting": "Model Beyaz Listeye Alma",
"Model(s) Whitelisted": "Model(ler) Beyaz Listeye Alındı",
"Modelfile Content": "Model Dosyası İçeriği",
"Models": "Modeller",
"Models Access": "",
"more": "",
"More": "Daha Fazla",
"Move to Top": "En Üste Taşı",
"Name": "Ad",
"Name your knowledge base": "",
"New Chat": "Yeni Sohbet",
@ -548,12 +571,15 @@
"No feedbacks found": "Geri bildirim bulunamadı",
"No file selected": "Hiçbir dosya seçilmedi",
"No files found.": "Dosya bulunamadı.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "HTML, CSS veya JavaScript içeriği bulunamadı.",
"No knowledge found": "Bilgi bulunamadı",
"No model IDs": "",
"No models found": "Model bulunamadı",
"No results found": "Sonuç bulunamadı",
"No search query generated": "Hiç arama sorgusu oluşturulmadı",
"No source available": "Kaynak mevcut değil",
"No users were found.": "",
"No valves to update": "Güncellenecek valvler yok",
"None": "Yok",
"Not factually correct": "Gerçeklere göre doğru değil",
@ -572,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API'si devre dışı",
"Ollama API is disabled": "Ollama API'si devre dışı",
"Ollama API settings updated": "",
"Ollama Version": "Ollama Sürümü",
"On": "Açık",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Komut dizisinde yalnızca alfasayısal karakterler ve tireler kabul edilir.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hop! URL geçersiz gibi görünüyor. Lütfen tekrar kontrol edin ve yeniden deneyin.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -596,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "OpenAI URL/Anahtar gereklidir.",
"or": "veya",
"Organize your users": "",
"Other": "Diğer",
"OUTPUT": "",
"Output format": ıktı formatı",
@ -608,6 +635,7 @@
"Permission denied when accessing media devices": "Medya cihazlarına erişim izni reddedildi",
"Permission denied when accessing microphone": "Mikrofona erişim izni reddedildi",
"Permission denied when accessing microphone: {{error}}": "Mikrofona erişim izni reddedildi: {{error}}",
"Permissions": "",
"Personalization": "Kişiselleştirme",
"Pin": "Sabitle",
"Pinned": "Sabitlenmiş",
@ -632,8 +660,11 @@
"Profile Image": "Profil Fotoğrafı",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (örn. Roma İmparatorluğu hakkında ilginç bir bilgi verin)",
"Prompt Content": "Prompt İçeriği",
"Prompt created successfully": "",
"Prompt suggestions": "Prompt önerileri",
"Prompt updated successfully": "",
"Prompts": "Promptlar",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com'dan \"{{searchValue}}\" çekin",
"Pull a model from Ollama.com": "Ollama.com'dan bir model çekin",
"Query Params": "Sorgu Parametreleri",
@ -708,13 +739,12 @@
"Seed": "Seed",
"Select a base model": "Bir temel model seç",
"Select a engine": "Bir motor seç",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Bir fonksiyon seç",
"Select a group": "",
"Select a model": "Bir model seç",
"Select a pipeline": "Bir pipeline seç",
"Select a pipeline url": "Bir pipeline URL'si seç",
"Select a tool": "Bir araç seç",
"Select an Ollama instance": "Bir Ollama örneği seçin",
"Select Engine": "Motor Seç",
"Select Knowledge": "",
"Select model": "Model seç",
@ -733,6 +763,7 @@
"Set as default": "Varsayılan olarak ayarla",
"Set CFG Scale": "CFG Ölçeğini Ayarla",
"Set Default Model": "Varsayılan Modeli Ayarla",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Gömme modelini ayarlayın (örn. {{model}})",
"Set Image Size": "Görüntü Boyutunu Ayarla",
"Set reranking model (e.g. {{model}})": "Yeniden sıralama modelini ayarlayın (örn. {{model}})",
@ -757,7 +788,6 @@
"Show": "Göster",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Yönetici Ayrıntılarını Hesap Bekliyor Ekranında Göster",
"Show Model": "Modeli Göster",
"Show shortcuts": "Kısayolları göster",
"Show your support!": "Desteğinizi gösterin!",
"Showcased creativity": "Sergilenen yaratıcılık",
@ -787,7 +817,6 @@
"System": "Sistem",
"System Instructions": "",
"System Prompt": "Sistem Promptu",
"Tags": "Etiketler",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Durdurmak için dokunun",
@ -849,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "Bağlam Yenilemesinde Korunacak Tokenler (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Araç başarıyla oluşturuldu",
"Tool deleted successfully": "Araç başarıyla silindi",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Araç başarıyla içe aktarıldı",
"Tool Name": "",
"Tool updated successfully": "Araç başarıyla güncellendi",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Araçlar",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Araçlar, keyfi kod yürütme ile bir fonksiyon çağırma sistemine sahiptir",
"Tools have a function calling system that allows arbitrary code execution": "Araçlar, keyfi kod yürütme izni veren bir fonksiyon çağırma sistemine sahiptir",
"Tools have a function calling system that allows arbitrary code execution.": "Araçlar, keyfi kod yürütme izni veren bir fonksiyon çağırma sistemine sahiptir.",
@ -897,13 +926,13 @@
"URL Mode": "URL Modu",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Gravatar Kullan",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Baş Harfleri Kullan",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "kullanıcı",
"User": "",
"User location successfully retrieved.": "Kullanıcı konumu başarıyla alındı.",
"User Permissions": "Kullanıcı İzinleri",
"Username": "",
"Users": "Kullanıcılar",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -916,10 +945,12 @@
"variable to have them replaced with clipboard content.": "panodaki içerikle değiştirilmesi için değişken.",
"Version": "Sürüm",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Ses",
"Voice Input": "",
"Warning": "Uyarı",
"Warning:": "Uyarı:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Uyarı: Gömme modelinizi günceller veya değiştirirseniz, tüm belgeleri yeniden içe aktarmanız gerekecektir.",
"Web": "Web",
"Web API": "Web API",
@ -940,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Çalışma Alanı",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Bir prompt önerisi yazın (örn. Sen kimsin?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "[Konuyu veya anahtar kelimeyi] özetleyen 50 kelimelik bir özet yazın.",
"Write something...": "",
@ -948,8 +980,8 @@
"You": "Sen",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Aynı anda en fazla {{maxCount}} dosya ile sohbet edebilirsiniz.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Aşağıdaki 'Yönet' düğmesi aracılığıyla bellekler ekleyerek LLM'lerle etkileşimlerinizi kişiselleştirebilir, onları daha yararlı ve size özel hale getirebilirsiniz.",
"You cannot clone a base model": "Bir temel modeli klonlayamazsınız",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Arşivlenmiş sohbetleriniz yok.",
"You have shared this chat": "Bu sohbeti paylaştınız",
"You're a helpful assistant.": "Sen yardımsever bir asistansın.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(e.g. `sh webui.sh --api`)",
"(latest)": "(остання)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Ви не можете видалити базову модель.",
"{{user}}'s Chats": "Чати {{user}}а",
"{{webUIName}} Backend Required": "Необхідно підключення бекенду {{webUIName}}",
"*Prompt node ID(s) are required for image generation": "*Для генерації зображення потрібно вказати ідентифікатор(и) вузла(ів)",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач використовується при виконанні таких завдань, як генерація заголовків для чатів та пошукових запитів в Інтернеті",
"a user": "користувача",
"About": "Про програму",
"Accessible to all users": "",
"Account": "Обліковий запис",
"Account Activation Pending": "Очікування активації облікового запису",
"Accurate information": "Точна інформація",
@ -28,12 +28,14 @@
"Add content here": "Додайте вміст сюди",
"Add custom prompt": "Додати користувацьку підказку",
"Add Files": "Додати файли",
"Add Group": "",
"Add Memory": "Додати пам'ять",
"Add Model": "Додати модель",
"Add Tag": "Додати тег",
"Add Tags": "Додати теги",
"Add text content": "Додати текстовий вміст",
"Add User": "Додати користувача",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Зміни в цих налаштуваннях будуть застосовані для всіх користувачів.",
"admin": "адмін",
"Admin": "Адмін",
@ -44,8 +46,10 @@
"Advanced Params": "Розширені параметри",
"All chats": "Усі чати",
"All Documents": "Усі документи",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Дозволити видалення чату",
"Allow Chat Editing": "Дозволити редагування чату",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Дозволити не локальні голоси",
"Allow Temporary Chat": "Дозволити тимчасовий чат",
"Allow User Location": "Доступ до місцезнаходження",
@ -62,6 +66,7 @@
"API keys": "Ключі API",
"Application DN": "DN застосунку",
"Application DN Password": "Пароль DN застосунку",
"applies to all users with the \"user\" role": "",
"April": "Квітень",
"Archive": "Архів",
"Archive All Chats": "Архівувати всі чати",
@ -115,6 +120,7 @@
"Chat Controls": "Керування чатом",
"Chat direction": "Напрям чату",
"Chat Overview": "Огляд чату",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "Автоматична генерація тегів чату",
"Chats": "Чати",
"Check Again": "Перевірити ще раз",
@ -145,6 +151,7 @@
"Code execution": "Виконання коду",
"Code formatted successfully": "Код успішно відформатовано",
"Collection": "Колекція",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "URL-адреса ComfyUI",
"ComfyUI Base URL is required.": "Необхідно вказати URL-адресу ComfyUI.",
@ -178,10 +185,12 @@
"Copy Link": "Копіювати посилання",
"Copy to clipboard": "Копіювати в буфер обміну",
"Copying to clipboard was successful!": "Копіювання в буфер обміну виконано успішно!",
"Create": "",
"Create a knowledge base": "Створити базу знань",
"Create a model": "Створити модель",
"Create Account": "Створити обліковий запис",
"Create Admin Account": "Створити обліковий запис адміністратора",
"Create Group": "",
"Create Knowledge": "Створити знання",
"Create new key": "Створити новий ключ",
"Create new secret key": "Створити новий секретний ключ",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "За замовчуванням (SentenceTransformers)",
"Default Model": "Модель за замовчуванням",
"Default model updated": "Модель за замовчуванням оновлено",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Пропозиції промтів замовчуванням",
"Default to 389 or 636 if TLS is enabled": "За замовчуванням використовується 389 або 636, якщо TLS увімкнено.",
"Default to ALL": "За замовчуванням — ВСІ.",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Знайдіть, завантажте та досліджуйте налаштовані інструменти",
"Discover, download, and explore model presets": "Знайдіть, завантажте та досліджуйте налаштування моделей",
"Dismissible": "Неприйнятно",
"Display": "",
"Display Emoji in Call": "Відображати емодзі у викликах",
"Display the username instead of You in the Chat": "Показувати ім'я користувача замість 'Ви' в чаті",
"Dive into knowledge": "Зануртесь у знання",
@ -250,20 +262,23 @@
"Download": "Завантажити",
"Download canceled": "Завантаження скасовано",
"Download Database": "Завантажити базу даних",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "Малювати",
"Drop any files here to add to the conversation": "Перетягніть сюди файли, щоб додати до розмови",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "напр., '30s','10m'. Дійсні одиниці часу: 'с', 'хв', 'г'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Редагувати",
"Edit Arena Model": "Редагувати модель Arena",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Редагувати пам'ять",
"Edit User": "Редагувати користувача",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "Ел. пошта",
"Embark on adventures": "Вирушайте в пригоди",
@ -349,6 +364,7 @@
"Export Config to JSON File": "Експортувати конфігурацію у файл JSON",
"Export Functions": "Експорт функцій ",
"Export Models": "Експорт моделей",
"Export Presets": "",
"Export Prompts": "Експортувати промти",
"Export to CSV": "Експортувати в CSV",
"Export Tools": "Експортувати інструменти",
@ -409,6 +425,11 @@
"Good Response": "Гарна відповідь",
"Google PSE API Key": "Ключ API Google PSE",
"Google PSE Engine Id": "Id рушія Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Тактильний зворотній зв'язок",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Привіт, {{name}}",
"Help": "Допоможіть",
"Help us create the best community leaderboard by sharing your feedback history!": "Допоможіть нам створити найкращу таблицю лідерів спільноти, поділившись історією своїх відгуків!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Приховати",
"Hide Model": "Приховати модель",
"Host": "Хост",
"How can I help you today?": "Чим я можу допомогти вам сьогодні?",
"Hybrid Search": "Гібридний пошук",
@ -432,6 +454,7 @@
"Import Config from JSON File": "Імпортувати конфігурацію з файлу JSON",
"Import Functions": "Імпорт функцій ",
"Import Models": "Імпорт моделей",
"Import Presets": "",
"Import Prompts": "Імпортувати промти",
"Import Tools": "Імпортувати інструменти",
"Include": "Включити",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Клавіатурні скорочення",
"Knowledge": "Знання",
"Knowledge Access": "",
"Knowledge created successfully.": "Знання успішно створено.",
"Knowledge deleted successfully.": "Знання успішно видалено.",
"Knowledge reset successfully.": "Знання успішно скинуто.",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Обов'язково експортуйте файл workflow.json у форматі API з ComfyUI.",
"Manage": "Керувати",
"Manage Arena Models": "Керувати моделями Arena",
"Manage Models": "Керування моделями",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Керування моделями Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Керування конвеєрами",
"March": "Березень",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Модель {{modelId}} не знайдено",
"Model {{modelName}} is not vision capable": "Модель {{modelName}} не здатна бачити",
"Model {{name}} is now {{status}}": "Модель {{name}} тепер має {{status}}",
"Model {{name}} is now at the top": "Модель {{name}} тепер на першому місці",
"Model accepts image inputs": "Модель приймає зображеня",
"Model created successfully!": "Модель створено успішно!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Виявлено шлях до файлової системи моделі. Для оновлення потрібно вказати коротке ім'я моделі, не вдасться продовжити.",
"Model Filtering": "",
"Model ID": "ID моделі",
"Model IDs": "",
"Model Name": "Назва моделі",
"Model not selected": "Модель не вибрана",
"Model Params": "Параметри моделі",
"Model Permissions": "",
"Model updated successfully": "Модель успішно оновлено",
"Model Whitelisting": "Модель білого списку",
"Model(s) Whitelisted": "Модель(і) білого списку",
"Modelfile Content": "Вміст файлу моделі",
"Models": "Моделі",
"Models Access": "",
"more": "більше",
"More": "Більше",
"Move to Top": "Перейти до початку",
"Name": "Ім'я",
"Name your knowledge base": "Назвіть вашу базу знань",
"New Chat": "Новий чат",
@ -549,12 +571,15 @@
"No feedbacks found": "Відгуків не знайдено",
"No file selected": "Файл не обрано",
"No files found.": "Файли не знайдено.",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "HTML, CSS або JavaScript контент не знайдено.",
"No knowledge found": "Знання не знайдено.",
"No model IDs": "",
"No models found": "Моделей не знайдено",
"No results found": "Не знайдено жодного результату",
"No search query generated": "Пошуковий запит не сформовано",
"No source available": "Джерело не доступне",
"No users were found.": "",
"No valves to update": "Немає клапанів для оновлення",
"None": "Нема",
"Not factually correct": "Не відповідає дійсності",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API вимкнено",
"Ollama API is disabled": "API Ollama вимкнено",
"Ollama API settings updated": "",
"Ollama Version": "Версія Ollama",
"On": "Увімк",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "У рядку команди дозволено використовувати лише алфавітно-цифрові символи та дефіси.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Редагувати можна лише колекції, створіть нову базу знань, щоб редагувати або додавати документи.",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Схоже, що URL-адреса невірна. Будь ласка, перевірте ще раз та спробуйте ще раз.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "Упс! Деякі файли все ще завантажуються. Будь ласка, зачекайте, поки завантаження завершиться.",
"Oops! There was an error in the previous response.": "Упс! Сталася помилка в попередній відповіді.",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Потрібен OpenAI URL/ключ.",
"or": "або",
"Organize your users": "",
"Other": "Інше",
"OUTPUT": "ВИХІД",
"Output format": "Формат відповіді",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Відмовлено в доступі до медіапристроїв",
"Permission denied when accessing microphone": "Відмовлено у доступі до мікрофона",
"Permission denied when accessing microphone: {{error}}": "Доступ до мікрофона заборонено: {{error}}",
"Permissions": "",
"Personalization": "Персоналізація",
"Pin": "Зачепити",
"Pinned": "Зачеплено",
@ -633,8 +660,11 @@
"Profile Image": "Зображення профілю",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Підказка (напр., розкажіть мені цікавий факт про Римську імперію)",
"Prompt Content": "Зміст промту",
"Prompt created successfully": "",
"Prompt suggestions": "Швидкі промти",
"Prompt updated successfully": "",
"Prompts": "Промти",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Завантажити \"{{searchValue}}\" з Ollama.com",
"Pull a model from Ollama.com": "Завантажити модель з Ollama.com",
"Query Params": "Параметри запиту",
@ -711,13 +741,12 @@
"Seed": "Сід",
"Select a base model": "Обрати базову модель",
"Select a engine": "Оберіть рушій",
"Select a file to view or drag and drop a file to upload": "Виберіть файл для перегляду або перетягніть і скиньте файл для завантаження.",
"Select a function": "Оберіть функцію",
"Select a group": "",
"Select a model": "Оберіть модель",
"Select a pipeline": "Оберіть конвеєр",
"Select a pipeline url": "Оберіть адресу конвеєра",
"Select a tool": "Оберіть інструмент",
"Select an Ollama instance": "Оберіть екземпляр Ollama",
"Select Engine": "Виберіть двигун",
"Select Knowledge": "Вибрати знання",
"Select model": "Обрати модель",
@ -736,6 +765,7 @@
"Set as default": "Встановити за замовчуванням",
"Set CFG Scale": "Встановити масштаб CFG",
"Set Default Model": "Встановити модель за замовчуванням",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Встановити модель вбудовування (напр, {{model}})",
"Set Image Size": "Встановити розмір зображення",
"Set reranking model (e.g. {{model}})": "Встановити модель переранжування (напр., {{model}})",
@ -760,7 +790,6 @@
"Show": "Показати",
"Show \"What's New\" modal on login": "Показати модальне вікно \"Що нового\" під час входу.",
"Show Admin Details in Account Pending Overlay": "Відобразити дані адміна у вікні очікування облікового запису",
"Show Model": "Показати модель",
"Show shortcuts": "Показати клавіатурні скорочення",
"Show your support!": "Підтримайте нас!",
"Showcased creativity": "Продемонстрований креатив",
@ -790,7 +819,6 @@
"System": "Система",
"System Instructions": "Системні інструкції",
"System Prompt": "Системний промт",
"Tags": "Теги",
"Tags Generation Prompt": "Підказка для генерації тегів",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "Вибірка з відрізанням хвоста використовується для зменшення впливу малоймовірних токенів на результат. Вищі значення (напр., 2.0) зменшують цей вплив більше, в той час як значення 1.0 вимикає цю настройку. (За замовчуванням: 1)",
"Tap to interrupt": "Натисніть, щоб перервати",
@ -852,15 +880,15 @@
"Token": "Токен",
"Tokens To Keep On Context Refresh (num_keep)": "Токени для збереження при оновленні контексту (num_keep)",
"Too verbose": "Занадто докладно",
"Tool": "Інструмент",
"Tool created successfully": "Інструмент успішно створено",
"Tool deleted successfully": "Інструмент успішно видалено",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Інструмент успішно імпортовано",
"Tool Name": "",
"Tool updated successfully": "Інструмент успішно оновлено",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "Інструменти",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Інструменти - це система виклику функцій з довільним виконанням коду",
"Tools have a function calling system that allows arbitrary code execution": "Інструменти мають систему виклику функцій, яка дозволяє виконання довільного коду",
"Tools have a function calling system that allows arbitrary code execution.": "Інструменти мають систему виклику функцій, яка дозволяє виконання довільного коду.",
@ -900,13 +928,13 @@
"URL Mode": "Режим URL-адреси",
"Use '#' in the prompt input to load and include your knowledge.": "Використовуйте '#' у полі введення підказки, щоб завантажити та включити свої знання.",
"Use Gravatar": "Змінити аватар",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Використовувати ініціали",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "користувач",
"User": "Користувач",
"User location successfully retrieved.": "Місцезнаходження користувача успішно знайдено.",
"User Permissions": "Права користувача",
"Username": "Ім'я користувача",
"Users": "Користувачі",
"Using the default arena model with all models. Click the plus button to add custom models.": "Використовуючи модель арени за замовчуванням з усіма моделями. Натисніть кнопку плюс, щоб додати користувацькі моделі.",
@ -919,10 +947,12 @@
"variable to have them replaced with clipboard content.": "змінна, щоб замінити їх вмістом буфера обміну.",
"Version": "Версія",
"Version {{selectedVersion}} of {{totalVersions}}": "Версія {{selectedVersion}} з {{totalVersions}}",
"Visibility": "",
"Voice": "Голос",
"Voice Input": "Голосове введення",
"Warning": "Увага!",
"Warning:": "Увага:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Попередження: Якщо ви оновлюєте або змінюєте модель вбудовування, вам потрібно буде повторно імпортувати всі документи.",
"Web": "Веб",
"Web API": "Веб-API",
@ -943,6 +973,7 @@
"Won": "Переможець",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "Працює разом з top-k. Більше значення (напр., 0.95) приведе до більш різноманітного тексту, тоді як менше значення (напр., 0.5) згенерує більш зосереджений і консервативний текст. (За замовчуванням: 0.9)",
"Workspace": "Робочий простір",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Напишіть промт (напр., Хто ти?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишіть стислий зміст у 50 слів, який узагальнює [тема або ключове слово].",
"Write something...": "Напишіть щось...",
@ -951,8 +982,8 @@
"You": "Ви",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Ви можете спілкуватися лише з максимальною кількістю {{maxCount}} файлів одночасно.",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Ви можете налаштувати ваші взаємодії з мовними моделями, додавши спогади через кнопку 'Керувати' внизу, що зробить їх більш корисними та персоналізованими для вас.",
"You cannot clone a base model": "Базову модель не можна клонувати",
"You cannot upload an empty file.": "Ви не можете завантажити порожній файл.",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "У вас немає архівованих розмов.",
"You have shared this chat": "Ви поділилися цим чатом",
"You're a helpful assistant.": "Ви корисний асистент.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(مثال کے طور پر: `sh webui.sh --api`)",
"(latest)": "(تازہ ترین)",
"{{ models }}": "{{ ماڈلز }}",
"{{ owner }}: You cannot delete a base model": "{{ مالک }}: آپ ایک بنیادی ماڈل کو حذف نہیں کر سکتے",
"{{user}}'s Chats": "{{ صارف }} کی بات چیت",
"{{webUIName}} Backend Required": "{{webUIName}} بیک اینڈ درکار ہے",
"*Prompt node ID(s) are required for image generation": "تصویر کی تخلیق کے لیے *پرومپٹ نوڈ آئی ڈی(ز) کی ضرورت ہے",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "ٹاسک ماڈل اس وقت استعمال ہوتا ہے جب چیٹس کے عنوانات اور ویب سرچ سوالات تیار کیے جا رہے ہوں",
"a user": "ایک صارف",
"About": "بارے میں",
"Accessible to all users": "",
"Account": "اکاؤنٹ",
"Account Activation Pending": "اکاؤنٹ فعال ہونے کا انتظار ہے",
"Accurate information": "درست معلومات",
@ -28,12 +28,14 @@
"Add content here": "یہاں مواد شامل کریں",
"Add custom prompt": "حسب ضرورت پرامپٹ شامل کریں",
"Add Files": "فائلیں شامل کریں",
"Add Group": "",
"Add Memory": "میموری شامل کریں",
"Add Model": "ماڈل شامل کریں",
"Add Tag": "ٹیگ شامل کریں",
"Add Tags": "ٹیگز شامل کریں",
"Add text content": "متن کا مواد شامل کریں",
"Add User": "صارف شامل کریں",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "ان سیٹنگز کو ایڈجسٹ کرنے سے تمام صارفین کے لئے تبدیلیاں یکساں طور پر نافذ ہوں گی",
"admin": "ایڈمن",
"Admin": "ایڈمن",
@ -44,8 +46,10 @@
"Advanced Params": "ترقی یافتہ پیرامیٹرز",
"All chats": "تمام چیٹس",
"All Documents": "تمام دستاویزات",
"Allow Chat Delete": "",
"Allow Chat Deletion": "چیٹ کو حذف کرنے کی اجازت دیں",
"Allow Chat Editing": "چیٹ ایڈیٹنگ کی اجازت دیں",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "غیر مقامی آوازوں کی اجازت دیں",
"Allow Temporary Chat": "عارضی چیٹ کی اجازت دیں",
"Allow User Location": "صارف کی مقام کی اجازت دیں",
@ -62,6 +66,7 @@
"API keys": "API کیز",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "اپریل",
"Archive": "آرکائیو",
"Archive All Chats": "تمام چیٹس محفوظ کریں",
@ -115,6 +120,7 @@
"Chat Controls": "چیٹ کنٹرولز",
"Chat direction": "چیٹ کی سمت",
"Chat Overview": "چیٹ کا جائزہ",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "چیٹ ٹیگز خودکار تخلیق",
"Chats": "بات چیت",
"Check Again": "دوبارہ چیک کریں",
@ -145,6 +151,7 @@
"Code execution": "کوڈ کا نفاذ",
"Code formatted successfully": "کوڈ کامیابی سے فارمیٹ ہو گیا",
"Collection": "کلیکشن",
"Color": "",
"ComfyUI": "کومفی یو آئی",
"ComfyUI Base URL": "کمفی یو آئی بیس یو آر ایل",
"ComfyUI Base URL is required.": "ComfyUI بیس یو آر ایل ضروری ہے",
@ -178,10 +185,12 @@
"Copy Link": "لنک کاپی کریں",
"Copy to clipboard": "کلپ بورڈ پر کاپی کریں",
"Copying to clipboard was successful!": "کلپ بورڈ میں کاپی کامیاب ہوئی!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "ماڈل بنائیں",
"Create Account": "اکاؤنٹ بنائیں",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "علم بنائیں",
"Create new key": "نیا کلید بنائیں",
"Create new secret key": "نیا خفیہ کلید بنائیں",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "ڈیفالٹ (سینٹینس ٹرانسفارمرز)",
"Default Model": "ڈیفالٹ ماڈل",
"Default model updated": "ڈیفالٹ ماڈل اپ ڈیٹ ہو گیا",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "ڈیفالٹ پرامپٹ تجاویز",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "دریافت کریں، ڈاؤن لوڈ کریں، اور حسب ضرورت ٹولز کو دریافت کریں",
"Discover, download, and explore model presets": "دریافت کریں، ڈاؤن لوڈ کریں، اور ماڈل پریسیٹس کو دریافت کریں",
"Dismissible": "منسوخ کرنے کے قابل",
"Display": "",
"Display Emoji in Call": "کال میں ایموجی دکھائیں",
"Display the username instead of You in the Chat": "چیٹ میں \"آپ\" کے بجائے صارف نام دکھائیں",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "ڈاؤن لوڈ کریں",
"Download canceled": "ڈاؤن لوڈ منسوخ کر دیا گیا",
"Download Database": "ڈیٹا بیس ڈاؤن لوڈ کریں",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "ڈرائنگ کریں",
"Drop any files here to add to the conversation": "گفتگو میں شامل کرنے کے لیے کوئی بھی فائل یہاں چھوڑیں",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "مثلاً '30s'، '10m' درست وقت کی اکائیاں ہیں 's'، 'm'، 'h'",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "ترمیم کریں",
"Edit Arena Model": "ایرینا ماڈل میں ترمیم کریں",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "یادداشت میں ترمیم کریں",
"Edit User": "صارف میں ترمیم کریں",
"Edit User Group": "",
"ElevenLabs": "الیون لیبز",
"Email": "ای میل",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "کنفیگ کو JSON فائل میں ایکسپورٹ کریں",
"Export Functions": "ایکسپورٹ فنکشنز",
"Export Models": "ماڈلز برآمد کریں",
"Export Presets": "",
"Export Prompts": "پرامپٹس برآمد کریں",
"Export to CSV": "",
"Export Tools": "ایکسپورٹ ٹولز",
@ -409,6 +425,11 @@
"Good Response": "اچھا جواب",
"Google PSE API Key": "گوگل پی ایس ای API کی کلید",
"Google PSE Engine Id": "گوگل پی ایس ای انجن آئی ڈی",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "پ:مم a",
"Haptic Feedback": "ہاپٹک فیڈ بیک",
@ -416,8 +437,9 @@
"Hello, {{name}}": "ہیلو، {{name}}",
"Help": "مدد",
"Help us create the best community leaderboard by sharing your feedback history!": "ہمیں بہترین کمیونٹی لیڈر بورڈ بنانے میں مدد کریں، اپنی رائے کی تاریخ شیئر کر کے!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "چھپائیں",
"Hide Model": "ماڈل چھپائیں",
"Host": "",
"How can I help you today?": "میں آج آپ کی کس طرح مدد کر سکتا ہوں؟",
"Hybrid Search": "مشترکہ تلاش",
@ -432,6 +454,7 @@
"Import Config from JSON File": "JSON فائل سے تشکیلات درآمد کریں",
"Import Functions": "درآمد فنکشنز",
"Import Models": "ماڈلز درآمد کریں",
"Import Presets": "",
"Import Prompts": "پرامپٹس درآمد کریں",
"Import Tools": "امپورٹ ٹولز",
"Include": "شامل کریں",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "کی بورڈ شارٹ کٹس",
"Knowledge": "علم",
"Knowledge Access": "",
"Knowledge created successfully.": "علم کامیابی سے تخلیق کیا گیا",
"Knowledge deleted successfully.": "معلومات کامیابی سے حذف ہو گئیں",
"Knowledge reset successfully.": "علم کو کامیابی کے ساتھ دوبارہ ترتیب دیا گیا",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "یقینی بنائیں کہ ComfyUI سے workflow.json فائل کو API فارمیٹ میں ایکسپورٹ کریں",
"Manage": "مینیج کریں",
"Manage Arena Models": "ایرینا ماڈلز کا نظم کریں",
"Manage Models": "ماڈلز کا نظم کریں",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "اولاما ماڈلز کو منظم کریں",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "پائپ لائنز کا نظم کریں",
"March": "مارچ",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "ماڈل {{modelId}} نہیں ملا",
"Model {{modelName}} is not vision capable": "ماڈل {{modelName}} بصری صلاحیت نہیں رکھتا",
"Model {{name}} is now {{status}}": "ماڈل {{name}} اب {{status}} ہے",
"Model {{name}} is now at the top": "ماڈل {{name}} اب سب سے اوپر ہے",
"Model accepts image inputs": "ماڈل تصویری ان پٹس قبول کرتا ہے",
"Model created successfully!": "ماڈل کامیابی سے تیار کر دیا گیا!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ماڈل فائل سسٹم کا راستہ مل گیا ماڈل کا مختصر نام اپڈیٹ کے لیے ضروری ہے، جاری نہیں رہ سکتا",
"Model Filtering": "",
"Model ID": "ماڈل آئی ڈی",
"Model IDs": "",
"Model Name": "ماڈل نام",
"Model not selected": "ماڈل منتخب نہیں ہوا",
"Model Params": "ماڈل پیرامیٹرز",
"Model Permissions": "",
"Model updated successfully": "ماڈل کامیابی کے ساتھ اپ ڈیٹ ہو گیا",
"Model Whitelisting": "ماڈل کو سفید فہرست میں شامل کریں",
"Model(s) Whitelisted": "ماڈل(ز) وائٹ لسٹ شدہ",
"Modelfile Content": "ماڈل فائل مواد",
"Models": "ماڈلز",
"Models Access": "",
"more": "مزید",
"More": "مزید",
"Move to Top": "اوپر منتقل کریں",
"Name": "نام",
"Name your knowledge base": "",
"New Chat": "نئی بات چیت",
@ -549,12 +571,15 @@
"No feedbacks found": "کوئی تبصرے نہیں ملے",
"No file selected": "کوئی فائل منتخب نہیں کی گئی",
"No files found.": "کوئی فائلیں نہیں ملیں",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "کوئی HTML، CSS، یا جاوا اسکرپٹ مواد نہیں ملا",
"No knowledge found": "کوئی معلومات نہیں ملی",
"No model IDs": "",
"No models found": "کوئی ماڈل نہیں ملا",
"No results found": "کوئی نتائج نہیں ملے",
"No search query generated": "کوئی تلاش کی درخواست نہیں بنائی گئی",
"No source available": "ماخذ دستیاب نہیں ہے",
"No users were found.": "",
"No valves to update": "تازہ کاری کے لئے کوئی والو نہیں",
"None": "کوئی نہیں",
"Not factually correct": "حقیقت کے مطابق نہیں ہے",
@ -573,13 +598,13 @@
"Ollama": "اولامہ",
"Ollama API": "اولامہ API",
"Ollama API disabled": "اولامہ ایپلیکیشن پروگرام انٹرفیس غیر فعال کر دیا گیا ہے",
"Ollama API is disabled": "Ollama API غیر فعال ہے",
"Ollama API settings updated": "",
"Ollama Version": "اولاما ورژن",
"On": "چالو",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "کمانڈ سٹرنگ میں صرف حروفی، عددی کردار اور ہائفن کی اجازت ہے",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "صرف مجموعے ترمیم کیے جا سکتے ہیں، دستاویزات کو ترمیم یا شامل کرنے کے لیے نیا علمی بنیاد بنائیں",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "اوہ! لگتا ہے کہ یو آر ایل غلط ہے براۂ کرم دوبارہ چیک کریں اور دوبارہ کوشش کریں",
"Oops! There are files still uploading. Please wait for the upload to complete.": "اوہ! کچھ فائلیں ابھی بھی اپ لوڈ ہو رہی ہیں براہ کرم اپ لوڈ مکمل ہونے کا انتظار کریں",
"Oops! There was an error in the previous response.": "اوہ! پچھلے جواب میں ایک غلطی تھی",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "اوپن اے آئی یو آر ایل/کلید درکار ہے",
"or": "یا",
"Organize your users": "",
"Other": "دیگر",
"OUTPUT": "آؤٹ پٹ",
"Output format": "آؤٹ پٹ فارمیٹ",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "میڈیا آلات تک رسائی کے وقت اجازت مسترد کر دی گئی",
"Permission denied when accessing microphone": "مائیکروفون تک رسائی کی اجازت نہیں دی گئی",
"Permission denied when accessing microphone: {{error}}": "مائیکروفون تک رسائی کے دوران اجازت مسترد: {{error}}",
"Permissions": "",
"Personalization": "شخصی ترتیبات",
"Pin": "پن",
"Pinned": "پن کیا گیا",
@ -633,8 +660,11 @@
"Profile Image": "پروفائل تصویر",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "سوال کریں (مثلاً: مجھے رومن سلطنت کے بارے میں کوئی دلچسپ حقیقت بتائیں)",
"Prompt Content": "مواد کا آغاز کریں",
"Prompt created successfully": "",
"Prompt suggestions": "تجاویز کی تجویزات",
"Prompt updated successfully": "",
"Prompts": "پرومپٹس",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com سے \"{{searchValue}}\" کو کھینچیں",
"Pull a model from Ollama.com": "Ollama.com سے ماڈل حاصل کریں",
"Query Params": "کوئری پیرامیٹرز",
@ -709,13 +739,12 @@
"Seed": "بیج",
"Select a base model": "ایک بنیادی ماڈل منتخب کریں",
"Select a engine": "ایک انجن منتخب کریں",
"Select a file to view or drag and drop a file to upload": "ایک فائل منتخب کریں دیکھنے کے لیے یا اپ لوڈ کرنے کے لیے فائل کو گھسیٹیں اور چھوڑیں",
"Select a function": "ایک فنکشن منتخب کریں",
"Select a group": "",
"Select a model": "ایک ماڈل منتخب کریں",
"Select a pipeline": "ایک پائپ لائن منتخب کریں",
"Select a pipeline url": "پائپ لائن یو آر ایل منتخب کریں",
"Select a tool": "ایک ٹول منتخب کریں",
"Select an Ollama instance": "ایک اولاما مثال منتخب کریں",
"Select Engine": "انجن منتخب کریں",
"Select Knowledge": "علم منتخب کریں",
"Select model": "ماڈل منتخب کریں",
@ -734,6 +763,7 @@
"Set as default": "بطور ڈیفالٹ سیٹ کریں",
"Set CFG Scale": "سی ایف جی اسکیل مقرر کریں",
"Set Default Model": "ڈیفالٹ ماڈل سیٹ کریں",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "نقش ماڈل مرتب کریں (مثال کے طور پر {{model}})",
"Set Image Size": "تصویر کا سائز مقرر کریں",
"Set reranking model (e.g. {{model}})": "ری رینکنگ ماڈل سیٹ کریں (مثال کے طور پر {{model}})",
@ -758,7 +788,6 @@
"Show": "دکھائیں",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "اکاؤنٹ پینڈنگ اوورلے میں ایڈمن کی تفصیلات دکھائیں",
"Show Model": "ماڈل دکھائیں",
"Show shortcuts": "شارٹ کٹ دکھائیں",
"Show your support!": "اپنی حمایت دکھائیں!",
"Showcased creativity": "نمائش شدہ تخلیقی صلاحیتیں",
@ -788,7 +817,6 @@
"System": "سسٹم",
"System Instructions": "نظام کی ہدایات",
"System Prompt": "سسٹم پرومپٹ",
"Tags": "ٹیگز",
"Tags Generation Prompt": "پرمپٹ کے لیے ٹیگز بنائیں",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "رکنے کے لئے ٹچ کریں",
@ -850,15 +878,15 @@
"Token": "ٹوکَن",
"Tokens To Keep On Context Refresh (num_keep)": "کانٹیکسٹ ریفریش پر رکھنے کے لئے ٹوکنز (num_keep)",
"Too verbose": "بہت زیادہ طویل",
"Tool": "اوزار",
"Tool created successfully": "اوزار کامیابی کے ساتھ تخلیق کیا گیا",
"Tool deleted successfully": "آلہ کامیابی سے حذف ہو گیا",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "اوزار کامیابی کے ساتھ درآمد ہوا",
"Tool Name": "",
"Tool updated successfully": "ٹول کامیابی سے اپ ڈیٹ ہو گیا ہے",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "اوزار",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "ٹولز ایک فنکشن کالنگ سسٹم ہیں جس میں مرضی کے مطابق کوڈ چلایا جاتا ہے",
"Tools have a function calling system that allows arbitrary code execution": "ٹولز کے پاس ایک فنکشن کالنگ سسٹم ہے جو اختیاری کوڈ کے نفاذ کی اجازت دیتا ہے",
"Tools have a function calling system that allows arbitrary code execution.": "ٹولز کے پاس ایک فنکشن کالنگ سسٹم ہے جو اختیاری کوڈ کی عمل درآمد کی اجازت دیتا ہے",
@ -898,13 +926,13 @@
"URL Mode": "یو آر ایل موڈ",
"Use '#' in the prompt input to load and include your knowledge.": "پرامپٹ ان پٹ میں '#' استعمال کریں تاکہ اپنی معلومات کو لوڈ اور شامل کریں",
"Use Gravatar": "گراویٹر استعمال کریں",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "ابتدائیات استعمال کریں",
"use_mlock (Ollama)": "استعمال کریں_mlock (Ollama)",
"use_mmap (Ollama)": "استعمال_mmap (Ollama)",
"user": "صارف",
"User": "صارف",
"User location successfully retrieved.": "صارف کا مقام کامیابی سے حاصل کیا گیا",
"User Permissions": "صارف کی اجازتیں",
"Username": "",
"Users": "صارفین",
"Using the default arena model with all models. Click the plus button to add custom models.": "تمام ماڈلز کے ساتھ ڈیفالٹ ارینا ماڈل استعمال کریں حسب ضرورت ماڈلز شامل کرنے کے لیے پلس بٹن پر کلک کریں",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "انہیں کلپ بورڈ کے مواد سے تبدیل کرنے کے لیے متغیر",
"Version": "ورژن",
"Version {{selectedVersion}} of {{totalVersions}}": "ورژن {{selectedVersion}} کا {{totalVersions}} میں سے",
"Visibility": "",
"Voice": "آواز",
"Voice Input": "آواز داخل کریں",
"Warning": "انتباہ",
"Warning:": "انتباہ:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "انتباہ: اگر آپ اپنا ایمبیڈنگ ماڈل اپ ڈیٹ یا تبدیل کرتے ہیں تو آپ کو تمام دستاویزات کو دوبارہ درآمد کرنے کی ضرورت ہوگی",
"Web": "ویب",
"Web API": "ویب اے پی آئی",
@ -941,6 +971,7 @@
"Won": "جیتا",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "ورک اسپیس",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "(مثال کے طور پر: آپ کون ہیں؟) ایک تجویز لکھیے",
"Write a summary in 50 words that summarizes [topic or keyword].": "موضوع یا کلیدی لفظ کا خلاصہ 50 الفاظ میں لکھیں",
"Write something...": "کچھ لکھیں...",
@ -949,8 +980,8 @@
"You": "آپ",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "آپ ایک وقت میں زیادہ سے زیادہ {{maxCount}} فائل(وں) کے ساتھ صرف چیٹ کر سکتے ہیں",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "آپ نیچے موجود 'Manage' بٹن کے ذریعے LLMs کے ساتھ اپنی بات چیت کو یادداشتیں شامل کرکے ذاتی بنا سکتے ہیں، جو انہیں آپ کے لیے زیادہ مددگار اور آپ کے متعلق بنائے گی",
"You cannot clone a base model": "آپ ایک بنیادی ماڈل کو کلون نہیں کر سکتے",
"You cannot upload an empty file.": "آپ خالی فائل اپلوڈ نہیں کر سکتے",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "آپ کے پاس کوئی محفوظ شدہ مکالمات نہیں ہیں",
"You have shared this chat": "آپ نے یہ چیٹ شیئر کی ہے",
"You're a helpful assistant.": "آپ ایک معاون معاون ہیں",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(vd: `sh webui.sh --api`)",
"(latest)": "(mới nhất)",
"{{ models }}": "{{ mô hình }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}: Bạn không thể xóa base model",
"{{user}}'s Chats": "{{user}}'s Chats",
"{{webUIName}} Backend Required": "{{webUIName}} Yêu cầu Backend",
"*Prompt node ID(s) are required for image generation": "",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Mô hình tác vụ được sử dụng khi thực hiện các tác vụ như tạo tiêu đề cho cuộc trò chuyện và truy vấn tìm kiếm trên web",
"a user": "người sử dụng",
"About": "Giới thiệu",
"Accessible to all users": "",
"Account": "Tài khoản",
"Account Activation Pending": "Tài khoản đang chờ kích hoạt",
"Accurate information": "Thông tin chính xác",
@ -28,12 +28,14 @@
"Add content here": "",
"Add custom prompt": "Thêm prompt tùy chỉnh",
"Add Files": "Thêm tệp",
"Add Group": "",
"Add Memory": "Thêm bộ nhớ",
"Add Model": "Thêm model",
"Add Tag": "Thêm thẻ",
"Add Tags": "thêm thẻ",
"Add text content": "",
"Add User": "Thêm người dùng",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "Các thay đổi cài đặt này sẽ áp dụng cho tất cả người sử dụng.",
"admin": "quản trị viên",
"Admin": "Quản trị",
@ -44,8 +46,10 @@
"Advanced Params": "Các tham số Nâng cao",
"All chats": "",
"All Documents": "Tất cả tài liệu",
"Allow Chat Delete": "",
"Allow Chat Deletion": "Cho phép Xóa nội dung chat",
"Allow Chat Editing": "Cho phép Sửa nội dung chat",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "Cho phép giọng nói không bản xứ",
"Allow Temporary Chat": "Cho phép Chat nháp",
"Allow User Location": "Cho phép sử dụng vị trí người dùng",
@ -62,6 +66,7 @@
"API keys": "API Keys",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "Tháng 4",
"Archive": "Lưu trữ",
"Archive All Chats": "Lưu tất cả các cuộc Chat",
@ -115,6 +120,7 @@
"Chat Controls": "Điều khiển Chats",
"Chat direction": "Hướng chat",
"Chat Overview": "",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "Chat",
"Check Again": "Kiểm tra Lại",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "Mã được định dạng thành công",
"Collection": "Tổng hợp mọi tài liệu",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI Base URL",
"ComfyUI Base URL is required.": "Base URL của ComfyUI là bắt buộc.",
@ -178,10 +185,12 @@
"Copy Link": "Sao chép link",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "Sao chép vào clipboard thành công!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "Tạo model",
"Create Account": "Tạo Tài khoản",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "",
"Create new key": "Tạo key mới",
"Create new secret key": "Tạo key bí mật mới",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "Mặc định (SentenceTransformers)",
"Default Model": "Model mặc định",
"Default model updated": "Mô hình mặc định đã được cập nhật",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "Đề xuất prompt mặc định",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "Tìm kiếm, tải về và khám phá thêm các tool tùy chỉnh",
"Discover, download, and explore model presets": "Tìm kiếm, tải về và khám phá thêm các model presets",
"Dismissible": "Có thể loại bỏ",
"Display": "",
"Display Emoji in Call": "Hiển thị Emoji trong cuộc gọi",
"Display the username instead of You in the Chat": "Hiển thị tên người sử dụng thay vì 'Bạn' trong nội dung chat",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "Tải về",
"Download canceled": "Đã hủy download",
"Download Database": "Tải xuống Cơ sở dữ liệu",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "Thả bất kỳ tệp nào ở đây để thêm vào nội dung chat",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "vd: '30s','10m'. Đơn vị thời gian hợp lệ là 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Chỉnh sửa",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "Sửa Memory",
"Edit User": "Thay đổi thông tin người sử dụng",
"Edit User Group": "",
"ElevenLabs": "",
"Email": "Email",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "",
"Export Functions": "Tải Functions về máy",
"Export Models": "Tải Models về máy",
"Export Presets": "",
"Export Prompts": "Tải các prompt về máy",
"Export to CSV": "",
"Export Tools": "Tải Tools về máy",
@ -409,6 +425,11 @@
"Good Response": "Trả lời tốt",
"Google PSE API Key": "Khóa API Google PSE",
"Google PSE Engine Id": "ID công cụ Google PSE",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "Phản hồi xúc giác",
@ -416,8 +437,9 @@
"Hello, {{name}}": "Xin chào {{name}}",
"Help": "Trợ giúp",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "Ẩn",
"Hide Model": "Ẩn mô hình",
"Host": "",
"How can I help you today?": "Tôi có thể giúp gì cho bạn hôm nay?",
"Hybrid Search": "Tìm kiếm Hybrid",
@ -432,6 +454,7 @@
"Import Config from JSON File": "",
"Import Functions": "Nạp Functions",
"Import Models": "Nạp model",
"Import Presets": "",
"Import Prompts": "Nạp các prompt lên hệ thống",
"Import Tools": "Nạp Tools",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "Phím tắt",
"Knowledge": "Kiến thức",
"Knowledge Access": "",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "Đảm bảo xuất tệp Workflow.json đúng format API của ComfyUI.",
"Manage": "Quản lý",
"Manage Arena Models": "",
"Manage Models": "Quản lý mô hình",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "Quản lý mô hình với Ollama",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "Quản lý Pipelines",
"March": "Tháng 3",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "Không tìm thấy Mô hình {{modelId}}",
"Model {{modelName}} is not vision capable": "Model {{modelName}} không có khả năng nhìn",
"Model {{name}} is now {{status}}": "Model {{name}} bây giờ là {{status}}",
"Model {{name}} is now at the top": "",
"Model accepts image inputs": "",
"Model created successfully!": "Model đã được tạo thành công",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Đường dẫn hệ thống tệp mô hình được phát hiện. Tên viết tắt mô hình là bắt buộc để cập nhật, không thể tiếp tục.",
"Model Filtering": "",
"Model ID": "ID mẫu",
"Model IDs": "",
"Model Name": "",
"Model not selected": "Chưa chọn Mô hình",
"Model Params": "Mô hình Params",
"Model Permissions": "",
"Model updated successfully": "Model đã được cập nhật thành công",
"Model Whitelisting": "Whitelist mô hình",
"Model(s) Whitelisted": "các mô hình được cho vào danh sách Whitelist",
"Modelfile Content": "Nội dung Tệp Mô hình",
"Models": "Mô hình",
"Models Access": "",
"more": "",
"More": "Thêm",
"Move to Top": "",
"Name": "Tên",
"Name your knowledge base": "",
"New Chat": "Tạo chat mới",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "Chưa có tệp nào được chọn",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "",
"No knowledge found": "",
"No model IDs": "",
"No models found": "",
"No results found": "Không tìm thấy kết quả",
"No search query generated": "Không có truy vấn tìm kiếm nào được tạo ra",
"No source available": "Không có nguồn",
"No users were found.": "",
"No valves to update": "Chưa có valves nào được cập nhật",
"None": "Không ai",
"Not factually correct": "Không chính xác so với thực tế",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "API Ollama bị vô hiệu hóa",
"Ollama API is disabled": "Ollama API đang bị vô hiệu hóa",
"Ollama API settings updated": "",
"Ollama Version": "Phiên bản Ollama",
"On": "Bật",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Chỉ ký tự số và gạch nối được phép trong chuỗi lệnh.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Rất tiếc! URL dường như không hợp lệ. Vui lòng kiểm tra lại và thử lại.",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "Yêu cầu URL/Key API OpenAI.",
"or": "hoặc",
"Organize your users": "",
"Other": "Khác",
"OUTPUT": "",
"Output format": "",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "Quyền truy cập các thiết bị đa phương tiện bị từ chối",
"Permission denied when accessing microphone": "Quyền truy cập micrô bị từ chối",
"Permission denied when accessing microphone: {{error}}": "Quyền truy cập micrô bị từ chối: {{error}}",
"Permissions": "",
"Personalization": "Cá nhân hóa",
"Pin": "Ghim lại",
"Pinned": "Đã ghim",
@ -633,8 +660,11 @@
"Profile Image": "Ảnh đại diện",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ví dụ: Hãy kể cho tôi một sự thật thú vị về Đế chế La Mã)",
"Prompt Content": "Nội dung prompt",
"Prompt created successfully": "",
"Prompt suggestions": "Gợi ý prompt",
"Prompt updated successfully": "",
"Prompts": "Prompt",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tải \"{{searchValue}}\" từ Ollama.com",
"Pull a model from Ollama.com": "Tải mô hình từ Ollama.com",
"Query Params": "Tham số Truy vấn",
@ -708,13 +738,12 @@
"Seed": "Seed",
"Select a base model": "Chọn một base model",
"Select a engine": "Chọn dịch vụ",
"Select a file to view or drag and drop a file to upload": "",
"Select a function": "Chọn function",
"Select a group": "",
"Select a model": "Chọn mô hình",
"Select a pipeline": "Chọn một quy trình",
"Select a pipeline url": "Chọn url quy trình",
"Select a tool": "Chọn tool",
"Select an Ollama instance": "Chọn một thực thể Ollama",
"Select Engine": "Chọn Engine",
"Select Knowledge": "",
"Select model": "Chọn model",
@ -733,6 +762,7 @@
"Set as default": "Đặt làm mặc định",
"Set CFG Scale": "",
"Set Default Model": "Đặt Mô hình Mặc định",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "Thiết lập mô hình embedding (ví dụ: {{model}})",
"Set Image Size": "Đặt Kích thước ảnh",
"Set reranking model (e.g. {{model}})": "Thiết lập mô hình reranking (ví dụ: {{model}})",
@ -757,7 +787,6 @@
"Show": "Hiển thị",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "Hiển thị thông tin của Quản trị viên trên màn hình hiển thị Tài khoản đang chờ xử lý",
"Show Model": "Hiện mô hình",
"Show shortcuts": "Hiển thị phím tắt",
"Show your support!": "Thể hiện sự ủng hộ của bạn!",
"Showcased creativity": "Thể hiện sự sáng tạo",
@ -787,7 +816,6 @@
"System": "Hệ thống",
"System Instructions": "",
"System Prompt": "Prompt Hệ thống (System Prompt)",
"Tags": "Thẻ",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "Chạm để ngừng",
@ -849,15 +877,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "Tool đã được tạo thành công",
"Tool deleted successfully": "Tool đã bị xóa",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "Tool đã được nạp thành công",
"Tool Name": "",
"Tool updated successfully": "Tool đã được cập nhật thành công",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "Tools là một hệ thống gọi function với việc thực thi mã tùy ý",
"Tools have a function calling system that allows arbitrary code execution": "Các Tools có hệ thống gọi function cho phép thực thi mã tùy ý",
"Tools have a function calling system that allows arbitrary code execution.": "Các Tools có hệ thống gọi function cho phép thực thi mã tùy ý.",
@ -897,13 +925,13 @@
"URL Mode": "Chế độ URL",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Sử dụng Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "Sử dụng tên viết tắt",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "Người sử dụng",
"User": "",
"User location successfully retrieved.": "Đã truy xuất thành công vị trí của người dùng.",
"User Permissions": "Phân quyền sử dụng",
"Username": "",
"Users": "Người sử dụng",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -916,10 +944,12 @@
"variable to have them replaced with clipboard content.": "biến để có chúng được thay thế bằng nội dung clipboard.",
"Version": "Version",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"Visibility": "",
"Voice": "Giọng nói",
"Voice Input": "",
"Warning": "Cảnh báo",
"Warning:": "Cảnh báo:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Cảnh báo: Nếu cập nhật hoặc thay đổi embedding model, bạn sẽ cần cập nhật lại tất cả tài liệu.",
"Web": "Web",
"Web API": "",
@ -940,6 +970,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Workspace",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "Hãy viết một prompt (vd: Bạn là ai?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Viết một tóm tắt trong vòng 50 từ cho [chủ đề hoặc từ khóa].",
"Write something...": "",
@ -948,8 +979,8 @@
"You": "Bạn",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Bạn có thể cá nhân hóa các tương tác của mình với LLM bằng cách thêm bộ nhớ thông qua nút 'Quản lý' bên dưới, làm cho chúng hữu ích hơn và phù hợp với bạn hơn.",
"You cannot clone a base model": "Bạn không thể nhân bản base model",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "Bạn chưa lưu trữ một nội dung chat nào",
"You have shared this chat": "Bạn vừa chia sẻ chat này",
"You're a helpful assistant.": "Bạn là một trợ lý hữu ích.",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(例如 `sh webui.sh --api`",
"(latest)": "(最新版)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}:您不能删除基础模型",
"{{user}}'s Chats": "{{user}} 的对话记录",
"{{webUIName}} Backend Required": "{{webUIName}} 需要后端服务",
"*Prompt node ID(s) are required for image generation": "*图片生成需要 Prompt node ID",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "任务模型用于执行生成对话标题和联网搜索查询等任务",
"a user": "用户",
"About": "关于",
"Accessible to all users": "",
"Account": "账号",
"Account Activation Pending": "账号待激活",
"Accurate information": "提供的信息很准确",
@ -28,12 +28,14 @@
"Add content here": "在此添加内容",
"Add custom prompt": "添加自定义提示词",
"Add Files": "添加文件",
"Add Group": "",
"Add Memory": "添加记忆",
"Add Model": "添加模型",
"Add Tag": "添加标签",
"Add Tags": "添加标签",
"Add text content": "添加文本内容",
"Add User": "添加用户",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "调整这些设置将会对所有用户应用更改。",
"admin": "管理员",
"Admin": "管理员联系方式",
@ -44,8 +46,10 @@
"Advanced Params": "高级参数",
"All chats": "所有对话",
"All Documents": "所有文档",
"Allow Chat Delete": "",
"Allow Chat Deletion": "允许删除对话记录",
"Allow Chat Editing": "允许编辑对话记录",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "允许调用非本地音色",
"Allow Temporary Chat": "允许临时对话",
"Allow User Location": "允许获取您的位置",
@ -62,6 +66,7 @@
"API keys": "API 密钥",
"Application DN": "Application DN",
"Application DN Password": "Application DN 密码",
"applies to all users with the \"user\" role": "",
"April": "四月",
"Archive": "归档",
"Archive All Chats": "归档所有对话记录",
@ -115,6 +120,7 @@
"Chat Controls": "对话高级设置",
"Chat direction": "对话样式方向",
"Chat Overview": "对话概述",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "自动生成对话标签",
"Chats": "对话",
"Check Again": "刷新重试",
@ -145,6 +151,7 @@
"Code execution": "代码执行",
"Code formatted successfully": "代码格式化成功",
"Collection": "文件集",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI 基础地址",
"ComfyUI Base URL is required.": "ComfyUI 基础地址为必需填写。",
@ -178,10 +185,12 @@
"Copy Link": "复制链接",
"Copy to clipboard": "复制到剪贴板",
"Copying to clipboard was successful!": "成功复制到剪贴板!",
"Create": "",
"Create a knowledge base": "创建知识库",
"Create a model": "创建一个模型",
"Create Account": "创建账号",
"Create Admin Account": "创建管理员账号",
"Create Group": "",
"Create Knowledge": "创建知识",
"Create new key": "创建新密钥",
"Create new secret key": "创建新安全密钥",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "默认SentenceTransformers",
"Default Model": "默认模型",
"Default model updated": "默认模型已更新",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "默认提示词建议",
"Default to 389 or 636 if TLS is enabled": "如果启用 TLS则默认为 389 或 636",
"Default to ALL": "默认为 ALL",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "发现、下载并探索更多工具",
"Discover, download, and explore model presets": "发现、下载并探索更多模型预设",
"Dismissible": "是否可关闭",
"Display": "",
"Display Emoji in Call": "在通话中显示 Emoji 表情符号",
"Display the username instead of You in the Chat": "在对话中显示用户名而不是“你”",
"Dive into knowledge": "深入知识的海洋",
@ -250,20 +262,23 @@
"Download": "下载",
"Download canceled": "下载已取消",
"Download Database": "下载数据库",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "平局",
"Drop any files here to add to the conversation": "拖动文件到此处以添加到对话中",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例如 '30s','10m'。有效的时间单位是秒:'s',分:'m',时:'h'。",
"e.g. A filter to remove profanity from text": "例如:一个用于过滤文本中不当内容的过滤器",
"e.g. A toolkit for performing various operations": "例如:一个用于执行各种操作的工具包",
"e.g. My Filter": "例如:我的过滤器",
"e.g. My ToolKit": "例如:我的工具包",
"e.g. My Tools": "",
"e.g. my_filter": "例如my_filter",
"e.g. my_toolkit": "例如my_toolkit",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "编辑",
"Edit Arena Model": "编辑竞技场模型",
"Edit Connection": "编辑连接",
"Edit Default Permissions": "",
"Edit Memory": "编辑记忆",
"Edit User": "编辑用户",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "电子邮箱",
"Embark on adventures": "踏上冒险之旅",
@ -349,6 +364,7 @@
"Export Config to JSON File": "导出配置信息至 JSON 文件中",
"Export Functions": "导出函数",
"Export Models": "导出模型",
"Export Presets": "",
"Export Prompts": "导出提示词",
"Export to CSV": "导出到 CSV",
"Export Tools": "导出工具",
@ -409,6 +425,11 @@
"Good Response": "点赞此回答",
"Google PSE API Key": "Google PSE API 密钥",
"Google PSE Engine Id": "Google PSE 引擎 ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "HH:mm",
"Haptic Feedback": "震动反馈",
@ -416,8 +437,9 @@
"Hello, {{name}}": "您好,{{name}}",
"Help": "帮助",
"Help us create the best community leaderboard by sharing your feedback history!": "分享您的反馈历史记录,共建最佳模型社区排行榜!",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "隐藏",
"Hide Model": "隐藏",
"Host": "Host",
"How can I help you today?": "有什么我能帮您的吗?",
"Hybrid Search": "混合搜索",
@ -432,6 +454,7 @@
"Import Config from JSON File": "导入 JSON 文件中的配置信息",
"Import Functions": "导入函数",
"Import Models": "导入模型",
"Import Presets": "",
"Import Prompts": "导入提示词",
"Import Tools": "导入工具",
"Include": "包括",
@ -458,6 +481,7 @@
"Key": "密匙",
"Keyboard shortcuts": "键盘快捷键",
"Knowledge": "知识库",
"Knowledge Access": "",
"Knowledge created successfully.": "知识成功创建",
"Knowledge deleted successfully.": "知识成功删除",
"Knowledge reset successfully.": "知识成功重置",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "确保从 ComfyUI 导出 API 格式的 workflow.json 文件。",
"Manage": "管理",
"Manage Arena Models": "管理竞技场模型",
"Manage Models": "管理模型",
"Manage Ollama": "",
"Manage Ollama API Connections": "管理Ollama API连接",
"Manage Ollama Models": "管理 Ollama 模型",
"Manage OpenAI API Connections": "管理OpenAI API连接",
"Manage Pipelines": "管理 Pipeline",
"March": "三月",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "未找到模型 {{modelId}}",
"Model {{modelName}} is not vision capable": "模型 {{modelName}} 不支持视觉能力",
"Model {{name}} is now {{status}}": "模型 {{name}} 现在是 {{status}}",
"Model {{name}} is now at the top": "模型 {{name}} 已移动到顶部",
"Model accepts image inputs": "模型接受图像输入",
"Model created successfully!": "模型创建成功!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "检测到模型文件系统路径,无法继续进行。更新操作需要提供模型简称。",
"Model Filtering": "",
"Model ID": "模型 ID",
"Model IDs": "模型 ID",
"Model Name": "模型名称",
"Model not selected": "未选择模型",
"Model Params": "模型参数",
"Model Permissions": "",
"Model updated successfully": "模型更新成功",
"Model Whitelisting": "白名单模型",
"Model(s) Whitelisted": "模型已加入白名单",
"Modelfile Content": "模型文件内容",
"Models": "模型",
"Models Access": "",
"more": "更多",
"More": "更多",
"Move to Top": "移动到顶部",
"Name": "名称",
"Name your knowledge base": "为您的知识库命名",
"New Chat": "新对话",
@ -549,12 +571,15 @@
"No feedbacks found": "暂无任何反馈",
"No file selected": "未选中文件",
"No files found.": "未找到文件。",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "未找到 HTML、CSS 或 JavaScript 内容。",
"No knowledge found": "未找到知识",
"No model IDs": "",
"No models found": "未找到任何模型",
"No results found": "未找到结果",
"No search query generated": "未生成搜索查询",
"No source available": "没有可用来源",
"No users were found.": "",
"No valves to update": "没有需要更新的值",
"None": "无",
"Not factually correct": "事实并非如此",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API 已禁用",
"Ollama API is disabled": "Ollama API 已禁用",
"Ollama API settings updated": "Ollama API设置已更新",
"Ollama Version": "Ollama 版本",
"On": "开启",
"Only alphanumeric characters and hyphens are allowed": "只允许使用英文字母,数字 (0-9) 以及连字符 (-)",
"Only alphanumeric characters and hyphens are allowed in the command string.": "命令字符串中只允许使用英文字母,数字 (0-9) 以及连字符 (-)。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "此链接似乎为无效链接。请检查后重试。",
"Oops! There are files still uploading. Please wait for the upload to complete.": "稍等!还有文件正在上传。请等待上传完成。",
"Oops! There was an error in the previous response.": "糟糕!有一个错误出现在了之前的回复中。",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "OpenAI API 设置已更新",
"OpenAI URL/Key required.": "需要 OpenAI URL/Key",
"or": "或",
"Organize your users": "",
"Other": "其他",
"OUTPUT": "输出",
"Output format": "输出格式",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "申请媒体设备权限被拒绝",
"Permission denied when accessing microphone": "申请麦克风权限被拒绝",
"Permission denied when accessing microphone: {{error}}": "申请麦克风权限被拒绝:{{error}}",
"Permissions": "",
"Personalization": "个性化",
"Pin": "置顶",
"Pinned": "已置顶",
@ -633,8 +660,11 @@
"Profile Image": "用户头像",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示(例如:给我讲一个关于罗马帝国的趣事。)",
"Prompt Content": "提示词内容",
"Prompt created successfully": "",
"Prompt suggestions": "提示词建议",
"Prompt updated successfully": "",
"Prompts": "提示词",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "从 Ollama.com 拉取 \"{{searchValue}}\"",
"Pull a model from Ollama.com": "从 Ollama.com 拉取一个模型",
"Query Params": "查询参数",
@ -708,13 +738,12 @@
"Seed": "种子 (Seed)",
"Select a base model": "选择一个基础模型",
"Select a engine": "选择一个搜索引擎",
"Select a file to view or drag and drop a file to upload": "选择文件以查看内容或拖动文件至此以上传",
"Select a function": "选择一个函数",
"Select a group": "",
"Select a model": "选择一个模型",
"Select a pipeline": "选择一个管道",
"Select a pipeline url": "选择一个管道 URL",
"Select a tool": "选择一个工具",
"Select an Ollama instance": "选择一个 Ollama 实例",
"Select Engine": "选择引擎",
"Select Knowledge": "选择知识",
"Select model": "选择模型",
@ -733,6 +762,7 @@
"Set as default": "设为默认",
"Set CFG Scale": "设置 CFG Scale",
"Set Default Model": "设置默认模型",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "设置语义向量模型 (例如:{{model}})",
"Set Image Size": "设置图片分辨率",
"Set reranking model (e.g. {{model}})": "设置重排模型 (例如:{{model}})",
@ -757,7 +787,6 @@
"Show": "显示",
"Show \"What's New\" modal on login": "在登录时显示“更新内容”弹窗",
"Show Admin Details in Account Pending Overlay": "在用户待激活界面中显示管理员邮箱等详细信息",
"Show Model": "显示",
"Show shortcuts": "显示快捷方式",
"Show your support!": "表达你的支持!",
"Showcased creativity": "很有创意",
@ -787,7 +816,6 @@
"System": "系统",
"System Instructions": "系统指令",
"System Prompt": "系统提示词 (System Prompt)",
"Tags": "标签",
"Tags Generation Prompt": "标签生成提示词",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "Tail free sampling 用于减少输出中可能性较低的标记的影响。数值越大(如 2.0),影响就越小,而数值为 1.0 则会禁用此设置。(默认值1",
"Tap to interrupt": "点击以中断",
@ -849,15 +877,15 @@
"Token": "Token",
"Tokens To Keep On Context Refresh (num_keep)": "在语境刷新时需保留的 Tokens",
"Too verbose": "过于冗长",
"Tool": "工具",
"Tool created successfully": "工具创建成功",
"Tool deleted successfully": "工具删除成功",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "工具导入成功",
"Tool Name": "",
"Tool updated successfully": "工具更新成功",
"Toolkit Description": "工具包描述",
"Toolkit ID": "工具包 ID",
"Toolkit Name": "工具包名",
"Tools": "工具",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "工具是一个具有任意代码执行能力的函数调用系统",
"Tools have a function calling system that allows arbitrary code execution": "注意:工具有权执行任意代码",
"Tools have a function calling system that allows arbitrary code execution.": "注意:工具有权执行任意代码。",
@ -897,13 +925,13 @@
"URL Mode": "URL 模式",
"Use '#' in the prompt input to load and include your knowledge.": "在输入框中输入'#'号来加载你需要的知识库内容。",
"Use Gravatar": "使用来自 Gravatar 的头像",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "使用首个字符作为头像",
"use_mlock (Ollama)": "use_mlockOllama",
"use_mmap (Ollama)": "use_mmap Ollama",
"user": "用户",
"User": "用户",
"User location successfully retrieved.": "成功检索到用户位置。",
"User Permissions": "用户权限",
"Username": "用户名",
"Users": "用户",
"Using the default arena model with all models. Click the plus button to add custom models.": "竞技场模型默认使用所有模型。单击加号按钮添加自定义模型。",
@ -916,10 +944,12 @@
"variable to have them replaced with clipboard content.": "变量将被剪贴板内容替换。",
"Version": "版本",
"Version {{selectedVersion}} of {{totalVersions}}": "版本 {{selectedVersion}}/{{totalVersions}}",
"Visibility": "",
"Voice": "语音",
"Voice Input": "语音输入",
"Warning": "警告",
"Warning:": "警告:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "警告:如果您修改了语义向量模型,则需要重新导入所有文档。",
"Web": "网页",
"Web API": "网页 API",
@ -940,6 +970,7 @@
"Won": "获胜",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "与 top-k 一起工作。较高的值例如0.95将导致更具多样性的文本而较低的值例如0.5将生成更集中和保守的文本。默认值0.9",
"Workspace": "工作空间",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "写一个提示词建议(例如:你是谁?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "用 50 个字写一个总结 [主题或关键词]。",
"Write something...": "单击以键入内容...",
@ -948,8 +979,8 @@
"You": "你",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "每次对话最多仅能附上 {{maxCount}} 个文件。",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "通过点击下方的“管理”按钮,你可以添加记忆,以个性化大语言模型的互动,使其更有用,更符合你的需求。",
"You cannot clone a base model": "无法复制基础模型",
"You cannot upload an empty file.": "请勿上传空文件。",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "没有已归档的对话。",
"You have shared this chat": "此对话已经分享过",
"You're a helpful assistant.": "你是一个有帮助的助手。",

View File

@ -4,7 +4,6 @@
"(e.g. `sh webui.sh --api`)": "(例如 `sh webui.sh --api`",
"(latest)": "(最新版)",
"{{ models }}": "{{ models }}",
"{{ owner }}: You cannot delete a base model": "{{ owner }}:您無法刪除基礎模型",
"{{user}}'s Chats": "{{user}} 的對話",
"{{webUIName}} Backend Required": "需要 {{webUIName}} 後端",
"*Prompt node ID(s) are required for image generation": "* 圖片生成需要提示詞節點 ID",
@ -12,6 +11,7 @@
"A task model is used when performing tasks such as generating titles for chats and web search queries": "執行產生對話標題和網頁搜尋查詢等任務時會使用任務模型",
"a user": "一位使用者",
"About": "關於",
"Accessible to all users": "",
"Account": "帳號",
"Account Activation Pending": "帳號待啟用",
"Accurate information": "準確資訊",
@ -28,12 +28,14 @@
"Add content here": "在此新增內容",
"Add custom prompt": "新增自訂提示詞",
"Add Files": "新增檔案",
"Add Group": "",
"Add Memory": "新增記憶",
"Add Model": "新增模型",
"Add Tag": "新增標籤",
"Add Tags": "新增標籤",
"Add text content": "新增文字內容",
"Add User": "新增使用者",
"Add User Group": "",
"Adjusting these settings will apply changes universally to all users.": "調整這些設定將會影響所有使用者。",
"admin": "管理員",
"Admin": "管理員",
@ -44,8 +46,10 @@
"Advanced Params": "進階參數",
"All chats": "",
"All Documents": "所有文件",
"Allow Chat Delete": "",
"Allow Chat Deletion": "允許刪除對話紀錄",
"Allow Chat Editing": "允許編輯對話",
"Allow Chat Edit": "",
"Allow File Upload": "",
"Allow non-local voices": "允許非本機語音",
"Allow Temporary Chat": "允許暫時對話",
"Allow User Location": "允許使用者位置",
@ -62,6 +66,7 @@
"API keys": "API 金鑰",
"Application DN": "",
"Application DN Password": "",
"applies to all users with the \"user\" role": "",
"April": "4 月",
"Archive": "封存",
"Archive All Chats": "封存所有對話紀錄",
@ -115,6 +120,7 @@
"Chat Controls": "對話控制項",
"Chat direction": "對話方向",
"Chat Overview": "對話概覽",
"Chat Permissions": "",
"Chat Tags Auto-Generation": "",
"Chats": "對話",
"Check Again": "再次檢查",
@ -145,6 +151,7 @@
"Code execution": "",
"Code formatted successfully": "程式碼格式化成功",
"Collection": "收藏",
"Color": "",
"ComfyUI": "ComfyUI",
"ComfyUI Base URL": "ComfyUI 基礎 URL",
"ComfyUI Base URL is required.": "需要 ComfyUI 基礎 URL。",
@ -178,10 +185,12 @@
"Copy Link": "複製連結",
"Copy to clipboard": "",
"Copying to clipboard was successful!": "成功複製到剪貼簿!",
"Create": "",
"Create a knowledge base": "",
"Create a model": "建立模型",
"Create Account": "建立帳號",
"Create Admin Account": "",
"Create Group": "",
"Create Knowledge": "建立知識",
"Create new key": "建立新的金鑰",
"Create new secret key": "建立新的金鑰",
@ -201,6 +210,8 @@
"Default (SentenceTransformers)": "預設 (SentenceTransformers)",
"Default Model": "預設模型",
"Default model updated": "預設模型已更新",
"Default permissions": "",
"Default permissions updated successfully": "",
"Default Prompt Suggestions": "預設提示詞建議",
"Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "",
@ -233,6 +244,7 @@
"Discover, download, and explore custom tools": "發掘、下載及探索自訂工具",
"Discover, download, and explore model presets": "發掘、下載及探索模型預設集",
"Dismissible": "可忽略",
"Display": "",
"Display Emoji in Call": "在通話中顯示表情符號",
"Display the username instead of You in the Chat": "在對話中顯示使用者名稱,而非「您」",
"Dive into knowledge": "",
@ -250,20 +262,23 @@
"Download": "下載",
"Download canceled": "已取消下載",
"Download Database": "下載資料庫",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Drop any files here to add to the conversation": "拖拽任意檔案到此處以新增至對話",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "例如:'30s'、'10m'。有效的時間單位為 's'、'm'、'h'。",
"e.g. A filter to remove profanity from text": "",
"e.g. A toolkit for performing various operations": "",
"e.g. My Filter": "",
"e.g. My ToolKit": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
"e.g. my_toolkit": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "編輯",
"Edit Arena Model": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "編輯記憶",
"Edit User": "編輯使用者",
"Edit User Group": "",
"ElevenLabs": "ElevenLabs",
"Email": "電子郵件",
"Embark on adventures": "",
@ -349,6 +364,7 @@
"Export Config to JSON File": "將設定匯出為 JSON 檔案",
"Export Functions": "匯出函式",
"Export Models": "匯出模型",
"Export Presets": "",
"Export Prompts": "匯出提示詞",
"Export to CSV": "",
"Export Tools": "匯出工具",
@ -409,6 +425,11 @@
"Good Response": "良好回應",
"Google PSE API Key": "Google PSE API 金鑰",
"Google PSE Engine Id": "Google PSE 引擎 ID",
"Group created successfully": "",
"Group deleted successfully": "",
"Group Description": "",
"Group Name": "",
"Group updated successfully": "",
"Groups": "",
"h:mm a": "h:mm a",
"Haptic Feedback": "觸覺回饋",
@ -416,8 +437,9 @@
"Hello, {{name}}": "您好,{{name}}",
"Help": "說明",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hide": "隱藏",
"Hide Model": "隱藏模型",
"Host": "",
"How can I help you today?": "今天我能為您做些什麼?",
"Hybrid Search": "混合搜尋",
@ -432,6 +454,7 @@
"Import Config from JSON File": "從 JSON 檔案匯入設定",
"Import Functions": "匯入函式",
"Import Models": "匯入模型",
"Import Presets": "",
"Import Prompts": "匯入提示詞",
"Import Tools": "匯入工具",
"Include": "",
@ -458,6 +481,7 @@
"Key": "",
"Keyboard shortcuts": "鍵盤快捷鍵",
"Knowledge": "知識",
"Knowledge Access": "",
"Knowledge created successfully.": "知識建立成功。",
"Knowledge deleted successfully.": "知識刪除成功。",
"Knowledge reset successfully.": "知識重設成功。",
@ -487,9 +511,8 @@
"Make sure to export a workflow.json file as API format from ComfyUI.": "請確保從 ComfyUI 匯出 workflow.json 檔案為 API 格式。",
"Manage": "管理",
"Manage Arena Models": "",
"Manage Models": "管理模型",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage Ollama Models": "管理 Ollama 模型",
"Manage OpenAI API Connections": "",
"Manage Pipelines": "管理管線",
"March": "3 月",
@ -521,23 +544,22 @@
"Model {{modelId}} not found": "找不到模型 {{modelId}}",
"Model {{modelName}} is not vision capable": "模型 {{modelName}} 不具備視覺能力",
"Model {{name}} is now {{status}}": "模型 {{name}} 現在狀態為 {{status}}",
"Model {{name}} is now at the top": "模型 {{name}} 現在位於頂端",
"Model accepts image inputs": "模型接受影像輸入",
"Model created successfully!": "成功建立模型!",
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "偵測到模型檔案系統路徑。更新需要模型簡稱,因此無法繼續。",
"Model Filtering": "",
"Model ID": "模型 ID",
"Model IDs": "",
"Model Name": "",
"Model not selected": "未選取模型",
"Model Params": "模型參數",
"Model Permissions": "",
"Model updated successfully": "成功更新模型",
"Model Whitelisting": "模型白名單",
"Model(s) Whitelisted": "模型已加入白名單",
"Modelfile Content": "模型檔案內容",
"Models": "模型",
"Models Access": "",
"more": "",
"More": "更多",
"Move to Top": "移至頂端",
"Name": "名稱",
"Name your knowledge base": "",
"New Chat": "新增對話",
@ -549,12 +571,15 @@
"No feedbacks found": "",
"No file selected": "未選取檔案",
"No files found.": "",
"No groups with access, add a group to grant access": "",
"No HTML, CSS, or JavaScript content found.": "找不到 HTML、CSS 或 JavaScript 內容。",
"No knowledge found": "找不到知識",
"No model IDs": "",
"No models found": "",
"No results found": "找不到任何結果",
"No search query generated": "未產生搜尋查詢",
"No source available": "沒有可用的來源",
"No users were found.": "",
"No valves to update": "沒有要更新的閥門",
"None": "無",
"Not factually correct": "與事實不符",
@ -573,13 +598,13 @@
"Ollama": "Ollama",
"Ollama API": "Ollama API",
"Ollama API disabled": "Ollama API 已停用",
"Ollama API is disabled": "Ollama API 已停用",
"Ollama API settings updated": "",
"Ollama Version": "Ollama 版本",
"On": "開啟",
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "命令字串中只允許使用英文字母、數字和連字號。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "只能編輯集合,請建立新的知識以編輯或新增文件。",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "哎呀!這個 URL 似乎無效。請仔細檢查並再試一次。",
"Oops! There are files still uploading. Please wait for the upload to complete.": "",
"Oops! There was an error in the previous response.": "",
@ -597,6 +622,7 @@
"OpenAI API settings updated": "",
"OpenAI URL/Key required.": "需要 OpenAI URL/金鑰。",
"or": "或",
"Organize your users": "",
"Other": "其他",
"OUTPUT": "",
"Output format": "輸出格式",
@ -609,6 +635,7 @@
"Permission denied when accessing media devices": "存取媒體裝置時權限遭拒",
"Permission denied when accessing microphone": "存取麥克風時權限遭拒",
"Permission denied when accessing microphone: {{error}}": "存取麥克風時權限遭拒:{{error}}",
"Permissions": "",
"Personalization": "個人化",
"Pin": "釘選",
"Pinned": "已釘選",
@ -633,8 +660,11 @@
"Profile Image": "個人檔案圖片",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示詞(例如:告訴我關於羅馬帝國的一些趣事)",
"Prompt Content": "提示詞內容",
"Prompt created successfully": "",
"Prompt suggestions": "提示詞建議",
"Prompt updated successfully": "",
"Prompts": "提示詞",
"Prompts Access": "",
"Pull \"{{searchValue}}\" from Ollama.com": "從 Ollama.com 下載 \"{{searchValue}}\"",
"Pull a model from Ollama.com": "從 Ollama.com 下載模型",
"Query Params": "查詢參數",
@ -709,13 +739,12 @@
"Seed": "種子值",
"Select a base model": "選擇基礎模型",
"Select a engine": "選擇引擎",
"Select a file to view or drag and drop a file to upload": "選擇檔案以檢視或拖放檔案以上傳",
"Select a function": "選擇函式",
"Select a group": "",
"Select a model": "選擇模型",
"Select a pipeline": "選擇管線",
"Select a pipeline url": "選擇管線 URL",
"Select a tool": "選擇工具",
"Select an Ollama instance": "選擇 Ollama 執行個體",
"Select Engine": "選擇引擎",
"Select Knowledge": "選擇知識庫",
"Select model": "選擇模型",
@ -734,6 +763,7 @@
"Set as default": "設為預設",
"Set CFG Scale": "設定 CFG 比例",
"Set Default Model": "設定預設模型",
"Set embedding model": "",
"Set embedding model (e.g. {{model}})": "設定嵌入模型(例如:{{model}}",
"Set Image Size": "設定圖片大小",
"Set reranking model (e.g. {{model}})": "設定重新排序模型(例如:{{model}}",
@ -758,7 +788,6 @@
"Show": "顯示",
"Show \"What's New\" modal on login": "",
"Show Admin Details in Account Pending Overlay": "在帳號待審覆蓋層中顯示管理員詳細資訊",
"Show Model": "顯示模型",
"Show shortcuts": "顯示快捷鍵",
"Show your support!": "表達您的支持!",
"Showcased creativity": "展現創意",
@ -788,7 +817,6 @@
"System": "系統",
"System Instructions": "",
"System Prompt": "系統提示詞",
"Tags": "標籤",
"Tags Generation Prompt": "",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "點選以中斷",
@ -850,15 +878,15 @@
"Token": "",
"Tokens To Keep On Context Refresh (num_keep)": "上下文重新整理時要保留的 token 數 (num_keep)",
"Too verbose": "",
"Tool": "",
"Tool created successfully": "成功建立工具",
"Tool deleted successfully": "成功刪除工具",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "成功匯入工具",
"Tool Name": "",
"Tool updated successfully": "成功更新工具",
"Toolkit Description": "",
"Toolkit ID": "",
"Toolkit Name": "",
"Tools": "工具",
"Tools Access": "",
"Tools are a function calling system with arbitrary code execution": "工具是一個具有任意程式碼執行功能的函式呼叫系統",
"Tools have a function calling system that allows arbitrary code execution": "工具具有允許執行任意程式碼的函式呼叫系統",
"Tools have a function calling system that allows arbitrary code execution.": "工具具有允許執行任意程式碼的函式呼叫系統。",
@ -898,13 +926,13 @@
"URL Mode": "URL 模式",
"Use '#' in the prompt input to load and include your knowledge.": "在提示詞輸入中使用 '#' 來載入並包含您的知識。",
"Use Gravatar": "使用 Gravatar",
"Use groups to group your users and assign permissions.": "",
"Use Initials": "使用姓名縮寫",
"use_mlock (Ollama)": "使用 mlock (Ollama)",
"use_mmap (Ollama)": "使用 mmap (Ollama)",
"user": "使用者",
"User": "",
"User location successfully retrieved.": "成功取得使用者位置。",
"User Permissions": "使用者權限",
"Username": "",
"Users": "使用者",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
@ -917,10 +945,12 @@
"variable to have them replaced with clipboard content.": "變數,以便將其替換為剪貼簿內容。",
"Version": "版本",
"Version {{selectedVersion}} of {{totalVersions}}": "第 {{selectedVersion}} 版,共 {{totalVersions}} 版",
"Visibility": "",
"Voice": "語音",
"Voice Input": "",
"Warning": "警告",
"Warning:": "警告:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "警告:如果您更新或更改嵌入模型,您將需要重新匯入所有文件。",
"Web": "網頁",
"Web API": "網頁 API",
@ -941,6 +971,7 @@
"Won": "",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "工作區",
"Workspace Permissions": "",
"Write a prompt suggestion (e.g. Who are you?)": "撰寫提示詞建議(例如:你是誰?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "用 50 字寫一篇總結 [主題或關鍵字] 的摘要。",
"Write something...": "",
@ -949,8 +980,8 @@
"You": "您",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "您一次最多只能與 {{maxCount}} 個檔案進行對話。",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "您可以透過下方的「管理」按鈕新增記憶,將您與大型語言模型的互動個人化,讓它們更有幫助並更符合您的需求。",
"You cannot clone a base model": "您無法複製基礎模型",
"You cannot upload an empty file.": "",
"You do not have permission to upload files.": "",
"You have no archived conversations.": "您沒有已封存的對話。",
"You have shared this chat": "您已分享此對話",
"You're a helpful assistant.": "您是一位樂於助人的助手。",

View File

@ -29,13 +29,11 @@ export const tags = writable([]);
export const models: Writable<Model[]> = writable([]);
export const prompts: Writable<null | Prompt[]> = writable(null);
export const knowledge: Writable<null | Document[]> = writable(null);
export const tools = writable(null);
export const functions = writable(null);
export const banners: Writable<Banner[]> = writable([]);
export const settings: Writable<Settings> = writable({});