mirror of
https://github.com/open-webui/open-webui.git
synced 2025-03-27 02:02:31 +01:00
chore: format
This commit is contained in:
parent
426f8f29ad
commit
60095598ec
@ -120,18 +120,12 @@ class OpenSearchClient:
|
||||
return None
|
||||
|
||||
query_body = {
|
||||
"query": {
|
||||
"bool": {
|
||||
"filter": []
|
||||
}
|
||||
},
|
||||
"query": {"bool": {"filter": []}},
|
||||
"_source": ["text", "metadata"],
|
||||
}
|
||||
|
||||
for field, value in filter.items():
|
||||
query_body["query"]["bool"]["filter"].append({
|
||||
"term": {field: value}
|
||||
})
|
||||
query_body["query"]["bool"]["filter"].append({"term": {field: value}})
|
||||
|
||||
size = limit if limit else 10
|
||||
|
||||
@ -139,7 +133,7 @@ class OpenSearchClient:
|
||||
result = self.client.search(
|
||||
index=f"{self.index_prefix}_{collection_name}",
|
||||
body=query_body,
|
||||
size=size
|
||||
size=size,
|
||||
)
|
||||
|
||||
return self._result_to_get_result(result)
|
||||
|
@ -25,13 +25,10 @@ def search_jina(api_key: str, query: str, count: int) -> list[SearchResult]:
|
||||
"Accept": "application/json",
|
||||
"Content-Type": "application/json",
|
||||
"Authorization": api_key,
|
||||
"X-Retain-Images": "none"
|
||||
"X-Retain-Images": "none",
|
||||
}
|
||||
|
||||
payload = {
|
||||
"q": query,
|
||||
"count": count if count <= 10 else 10
|
||||
}
|
||||
payload = {"q": query, "count": count if count <= 10 else 10}
|
||||
|
||||
url = str(URL(jina_search_endpoint))
|
||||
response = requests.post(url, headers=headers, json=payload)
|
||||
|
@ -560,10 +560,14 @@ def transcribe(request: Request, file_path):
|
||||
|
||||
# Extract transcript from Deepgram response
|
||||
try:
|
||||
transcript = response_data["results"]["channels"][0]["alternatives"][0].get("transcript", "")
|
||||
transcript = response_data["results"]["channels"][0]["alternatives"][
|
||||
0
|
||||
].get("transcript", "")
|
||||
except (KeyError, IndexError) as e:
|
||||
log.error(f"Malformed response from Deepgram: {str(e)}")
|
||||
raise Exception("Failed to parse Deepgram response - unexpected response format")
|
||||
raise Exception(
|
||||
"Failed to parse Deepgram response - unexpected response format"
|
||||
)
|
||||
data = {"text": transcript.strip()}
|
||||
|
||||
# Save transcript
|
||||
|
@ -1424,11 +1424,11 @@ async def upload_model(
|
||||
os.makedirs(UPLOAD_DIR, exist_ok=True)
|
||||
|
||||
# --- P1: save file locally ---
|
||||
chunk_size = 1024 * 1024 * 2 # 2 MB chunks
|
||||
chunk_size = 1024 * 1024 * 2 # 2 MB chunks
|
||||
with open(file_path, "wb") as out_f:
|
||||
while True:
|
||||
chunk = file.file.read(chunk_size)
|
||||
#log.info(f"Chunk: {str(chunk)}") # DEBUG
|
||||
# log.info(f"Chunk: {str(chunk)}") # DEBUG
|
||||
if not chunk:
|
||||
break
|
||||
out_f.write(chunk)
|
||||
@ -1436,15 +1436,15 @@ async def upload_model(
|
||||
async def file_process_stream():
|
||||
nonlocal ollama_url
|
||||
total_size = os.path.getsize(file_path)
|
||||
log.info(f"Total Model Size: {str(total_size)}") # DEBUG
|
||||
log.info(f"Total Model Size: {str(total_size)}") # DEBUG
|
||||
|
||||
# --- P2: SSE progress + calculate sha256 hash ---
|
||||
file_hash = calculate_sha256(file_path, chunk_size)
|
||||
log.info(f"Model Hash: {str(file_hash)}") # DEBUG
|
||||
log.info(f"Model Hash: {str(file_hash)}") # DEBUG
|
||||
try:
|
||||
with open(file_path, "rb") as f:
|
||||
bytes_read = 0
|
||||
while chunk := f.read(chunk_size):
|
||||
while chunk := f.read(chunk_size):
|
||||
bytes_read += len(chunk)
|
||||
progress = round(bytes_read / total_size * 100, 2)
|
||||
data_msg = {
|
||||
@ -1460,25 +1460,23 @@ async def upload_model(
|
||||
response = requests.post(url, data=f)
|
||||
|
||||
if response.ok:
|
||||
log.info(f"Uploaded to /api/blobs") # DEBUG
|
||||
log.info(f"Uploaded to /api/blobs") # DEBUG
|
||||
# Remove local file
|
||||
os.remove(file_path)
|
||||
|
||||
# Create model in ollama
|
||||
model_name, ext = os.path.splitext(file.filename)
|
||||
log.info(f"Created Model: {model_name}") # DEBUG
|
||||
log.info(f"Created Model: {model_name}") # DEBUG
|
||||
|
||||
create_payload = {
|
||||
"model": model_name,
|
||||
# Reference the file by its original name => the uploaded blob's digest
|
||||
"files": {
|
||||
file.filename: f"sha256:{file_hash}"
|
||||
},
|
||||
"files": {file.filename: f"sha256:{file_hash}"},
|
||||
}
|
||||
log.info(f"Model Payload: {create_payload}") # DEBUG
|
||||
log.info(f"Model Payload: {create_payload}") # DEBUG
|
||||
|
||||
# Call ollama /api/create
|
||||
#https://github.com/ollama/ollama/blob/main/docs/api.md#create-a-model
|
||||
# https://github.com/ollama/ollama/blob/main/docs/api.md#create-a-model
|
||||
create_resp = requests.post(
|
||||
url=f"{ollama_url}/api/create",
|
||||
headers={"Content-Type": "application/json"},
|
||||
@ -1486,7 +1484,7 @@ async def upload_model(
|
||||
)
|
||||
|
||||
if create_resp.ok:
|
||||
log.info(f"API SUCCESS!") # DEBUG
|
||||
log.info(f"API SUCCESS!") # DEBUG
|
||||
done_msg = {
|
||||
"done": True,
|
||||
"blob": f"sha256:{file_hash}",
|
||||
@ -1506,4 +1504,4 @@ async def upload_model(
|
||||
res = {"error": str(e)}
|
||||
yield f"data: {json.dumps(res)}\n\n"
|
||||
|
||||
return StreamingResponse(file_process_stream(), media_type="text/event-stream")
|
||||
return StreamingResponse(file_process_stream(), media_type="text/event-stream")
|
||||
|
@ -94,7 +94,7 @@ class S3StorageProvider(StorageProvider):
|
||||
aws_secret_access_key=S3_SECRET_ACCESS_KEY,
|
||||
)
|
||||
self.bucket_name = S3_BUCKET_NAME
|
||||
self.key_prefix = S3_KEY_PREFIX if S3_KEY_PREFIX else ""
|
||||
self.key_prefix = S3_KEY_PREFIX if S3_KEY_PREFIX else ""
|
||||
|
||||
def upload_file(self, file: BinaryIO, filename: str) -> Tuple[bytes, str]:
|
||||
"""Handles uploading of the file to S3 storage."""
|
||||
@ -108,7 +108,7 @@ class S3StorageProvider(StorageProvider):
|
||||
)
|
||||
except ClientError as e:
|
||||
raise RuntimeError(f"Error uploading file to S3: {e}")
|
||||
|
||||
|
||||
def get_file(self, file_path: str) -> str:
|
||||
"""Handles downloading of the file from S3 storage."""
|
||||
try:
|
||||
@ -137,7 +137,8 @@ class S3StorageProvider(StorageProvider):
|
||||
if "Contents" in response:
|
||||
for content in response["Contents"]:
|
||||
# Skip objects that were not uploaded from open-webui in the first place
|
||||
if not content["Key"].startswith(self.key_prefix): continue
|
||||
if not content["Key"].startswith(self.key_prefix):
|
||||
continue
|
||||
|
||||
self.s3_client.delete_object(
|
||||
Bucket=self.bucket_name, Key=content["Key"]
|
||||
@ -150,11 +151,12 @@ class S3StorageProvider(StorageProvider):
|
||||
|
||||
# The s3 key is the name assigned to an object. It excludes the bucket name, but includes the internal path and the file name.
|
||||
def _extract_s3_key(self, full_file_path: str) -> str:
|
||||
return '/'.join(full_file_path.split("//")[1].split("/")[1:])
|
||||
|
||||
return "/".join(full_file_path.split("//")[1].split("/")[1:])
|
||||
|
||||
def _get_local_file_path(self, s3_key: str) -> str:
|
||||
return f"{UPLOAD_DIR}/{s3_key.split('/')[-1]}"
|
||||
|
||||
|
||||
class GCSStorageProvider(StorageProvider):
|
||||
def __init__(self):
|
||||
self.bucket_name = GCS_BUCKET_NAME
|
||||
|
@ -245,7 +245,7 @@ def get_gravatar_url(email):
|
||||
|
||||
|
||||
def calculate_sha256(file_path, chunk_size):
|
||||
#Compute SHA-256 hash of a file efficiently in chunks
|
||||
# Compute SHA-256 hash of a file efficiently in chunks
|
||||
sha256 = hashlib.sha256()
|
||||
with open(file_path, "rb") as f:
|
||||
while chunk := f.read(chunk_size):
|
||||
|
@ -142,13 +142,17 @@ class OAuthManager:
|
||||
log.debug(f"Oauth Groups claim: {oauth_claim}")
|
||||
log.debug(f"User oauth groups: {user_oauth_groups}")
|
||||
log.debug(f"User's current groups: {[g.name for g in user_current_groups]}")
|
||||
log.debug(f"All groups available in OpenWebUI: {[g.name for g in all_available_groups]}")
|
||||
log.debug(
|
||||
f"All groups available in OpenWebUI: {[g.name for g in all_available_groups]}"
|
||||
)
|
||||
|
||||
# Remove groups that user is no longer a part of
|
||||
for group_model in user_current_groups:
|
||||
if group_model.name not in user_oauth_groups:
|
||||
# Remove group from user
|
||||
log.debug(f"Removing user from group {group_model.name} as it is no longer in their oauth groups")
|
||||
log.debug(
|
||||
f"Removing user from group {group_model.name} as it is no longer in their oauth groups"
|
||||
)
|
||||
|
||||
user_ids = group_model.user_ids
|
||||
user_ids = [i for i in user_ids if i != user.id]
|
||||
@ -174,7 +178,9 @@ class OAuthManager:
|
||||
gm.name == group_model.name for gm in user_current_groups
|
||||
):
|
||||
# Add user to group
|
||||
log.debug(f"Adding user to group {group_model.name} as it was found in their oauth groups")
|
||||
log.debug(
|
||||
f"Adding user to group {group_model.name} as it was found in their oauth groups"
|
||||
)
|
||||
|
||||
user_ids = group_model.user_ids
|
||||
user_ids.append(user.id)
|
||||
@ -289,7 +295,9 @@ class OAuthManager:
|
||||
base64_encoded_picture = base64.b64encode(
|
||||
picture
|
||||
).decode("utf-8")
|
||||
guessed_mime_type = mimetypes.guess_type(picture_url)[0]
|
||||
guessed_mime_type = mimetypes.guess_type(
|
||||
picture_url
|
||||
)[0]
|
||||
if guessed_mime_type is None:
|
||||
# assume JPG, browsers are tolerant enough of image formats
|
||||
guessed_mime_type = "image/jpeg"
|
||||
|
@ -12,6 +12,7 @@ from fpdf import FPDF
|
||||
from open_webui.env import STATIC_DIR, FONTS_DIR
|
||||
from open_webui.models.chats import ChatTitleMessagesForm
|
||||
|
||||
|
||||
class PDFGenerator:
|
||||
"""
|
||||
Description:
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "أضغط هنا الانتقال",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "أضغط هنا للاختيار",
|
||||
"Click here to select a csv file.": "أضغط هنا للاختيار ملف csv",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "مستندات",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "لا يجري أي اتصالات خارجية، وتظل بياناتك آمنة على الخادم المستضاف محليًا.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "ليس لديك حساب؟",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "أدخل الChunk Overlap",
|
||||
"Enter Chunk Size": "أدخل Chunk الحجم",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "أدخل عنوان URL ل Github Raw",
|
||||
"Enter Google PSE API Key": "أدخل مفتاح واجهة برمجة تطبيقات PSE من Google",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "اللغة",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "فاتح",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "شرح شامل",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Натиснете тук за",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Натиснете тук, за да изберете",
|
||||
"Click here to select a csv file.": "Натиснете тук, за да изберете csv файл.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "Документи",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "няма външни връзки, и вашите данни остават сигурни на локално назначен сървър.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Нямате акаунт?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Въведете Chunk Overlap",
|
||||
"Enter Chunk Size": "Въведете Chunk Size",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Въведете URL адреса на Github Raw",
|
||||
"Enter Google PSE API Key": "Въведете Google PSE API ключ",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Език",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Светъл",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Това е подробно описание.",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "এখানে ক্লিক করুন",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "নির্বাচন করার জন্য এখানে ক্লিক করুন",
|
||||
"Click here to select a csv file.": "একটি csv ফাইল নির্বাচন করার জন্য এখানে ক্লিক করুন",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "ডকুমেন্টসমূহ",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "কোন এক্সটার্নাল কানেকশন তৈরি করে না, এবং আপনার ডেটা আর লোকালি হোস্টেড সার্ভারেই নিরাপদে থাকে।",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "একাউন্ট নেই?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "চাঙ্ক ওভারল্যাপ লিখুন",
|
||||
"Enter Chunk Size": "চাংক সাইজ লিখুন",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "গিটহাব কাঁচা URL লিখুন",
|
||||
"Enter Google PSE API Key": "গুগল পিএসই এপিআই কী লিখুন",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "ভাষা",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "লাইট",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "পুঙ্খানুপুঙ্খ ব্যাখ্যা",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Clic aquí per",
|
||||
"Click here to download user import template file.": "Fes clic aquí per descarregar l'arxiu de plantilla d'importació d'usuaris",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Clica aquí per obtenir més informació sobre faster-whisper i veure els models disponibles.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Clica aquí per seleccionar",
|
||||
"Click here to select a csv file.": "Clica aquí per seleccionar un fitxer csv.",
|
||||
"Click here to select a py file.": "Clica aquí per seleccionar un fitxer py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentació",
|
||||
"Documents": "Documents",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "no realitza connexions externes, i les teves dades romanen segures al teu servidor allotjat localment.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "No tens un compte?",
|
||||
"don't install random functions from sources you don't trust.": "no instal·lis funcions aleatòries de fonts en què no confiïs.",
|
||||
"don't install random tools from sources you don't trust.": "no instal·lis eines aleatòries de fonts en què no confiïs.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Introdueix la mida de solapament de blocs",
|
||||
"Enter Chunk Size": "Introdueix la mida del bloc",
|
||||
"Enter description": "Introdueix la descripció",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Introdueix l'URL en brut de Github",
|
||||
"Enter Google PSE API Key": "Introdueix la clau API de Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Coneixement eliminat correctament.",
|
||||
"Knowledge reset successfully.": "Coneixement restablert correctament.",
|
||||
"Knowledge updated successfully": "Coneixement actualitzat correctament.",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Etiqueta",
|
||||
"Landing Page Mode": "Mode de la pàgina d'entrada",
|
||||
"Language": "Idioma",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Deixar-ho buit per incloure tots els models del punt de connexió \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Deixa-ho en blanc per incloure tots els models o selecciona models específics",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Deixa-ho en blanc per utilitzar la indicació predeterminada o introdueix una indicació personalitzada",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Clar",
|
||||
"Listening...": "Escoltant...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Això restablirà la base de coneixement i sincronitzarà tots els fitxers. Vols continuar?",
|
||||
"Thorough explanation": "Explicació en detall",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "La URL del servidor Tika és obligatòria.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "I-klik dinhi aron makapili",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "Mga dokumento",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "wala maghimo ug eksternal nga koneksyon, ug ang imong data nagpabiling luwas sa imong lokal nga host server.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Wala kay account ?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Pagsulod sa block overlap",
|
||||
"Enter Chunk Size": "Isulod ang block size",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "",
|
||||
"Enter Google PSE API Key": "",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Pinulongan",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Kahayag",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klikněte sem pro",
|
||||
"Click here to download user import template file.": "Klikněte zde pro stažení šablony souboru pro import uživatelů.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klikněte sem a zjistěte více o faster-whisper a podívejte se na dostupné modely.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klikněte sem pro výběr",
|
||||
"Click here to select a csv file.": "Klikněte zde pro výběr souboru typu csv.",
|
||||
"Click here to select a py file.": "Klikněte sem pro výběr {{py}} souboru.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentace",
|
||||
"Documents": "Dokumenty",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "nevytváří žádná externí připojení a vaše data zůstávají bezpečně na vašem lokálním serveru.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nemáte účet?",
|
||||
"don't install random functions from sources you don't trust.": "Neinstalujte náhodné funkce ze zdrojů, kterým nedůvěřujete.",
|
||||
"don't install random tools from sources you don't trust.": "Neinstalujte náhodné nástroje ze zdrojů, kterým nedůvěřujete.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Zadejte překryv části",
|
||||
"Enter Chunk Size": "Zadejte velikost bloku",
|
||||
"Enter description": "Zadejte popis",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Zadejte URL adresu Github Raw",
|
||||
"Enter Google PSE API Key": "Zadejte klíč rozhraní API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Znalosti byly úspěšně odstraněny.",
|
||||
"Knowledge reset successfully.": "Úspěšné obnovení znalostí.",
|
||||
"Knowledge updated successfully": "Znalosti úspěšně aktualizovány",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Režim vstupní stránky",
|
||||
"Language": "Jazyk",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "Nechte prázdné pro zahrnutí všech modelů nebo vyberte konkrétní modely.",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Nechte prázdné pro použití výchozího podnětu, nebo zadejte vlastní podnět.",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Světlo",
|
||||
"Listening...": "Poslouchání...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Toto obnoví znalostní databázi a synchronizuje všechny soubory. Přejete si pokračovat?",
|
||||
"Thorough explanation": "Obsáhlé vysvětlení",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Je vyžadována URL adresa serveru Tika.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klik her for at",
|
||||
"Click here to download user import template file.": "Klik her for at downloade bruger import template fil.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klik her for at vælge",
|
||||
"Click here to select a csv file.": "Klik her for at vælge en csv fil",
|
||||
"Click here to select a py file.": "Klik her for at vælge en py fil",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentation",
|
||||
"Documents": "Dokumenter",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "laver ikke eksterne kald, og din data bliver sikkert på din egen lokalt hostede server.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Har du ikke en profil?",
|
||||
"don't install random functions from sources you don't trust.": "lad være med at installere tilfældige funktioner fra kilder, som du ikke stoler på.",
|
||||
"don't install random tools from sources you don't trust.": "lad være med at installere tilfældige værktøjer fra kilder, som du ikke stoler på.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Indtast overlapning af tekststykker",
|
||||
"Enter Chunk Size": "Indtast størrelse af tekststykker",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Indtast Github Raw URL",
|
||||
"Enter Google PSE API Key": "Indtast Google PSE API-nøgle",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Viden slettet.",
|
||||
"Knowledge reset successfully.": "Viden nulstillet.",
|
||||
"Knowledge updated successfully": "Viden opdateret.",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Landing Page-tilstand",
|
||||
"Language": "Sprog",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Lad stå tomt for at bruge standardprompten, eller indtast en brugerdefineret prompt",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Lys",
|
||||
"Listening...": "Lytter...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Dette vil nulstille vidensbasen og synkronisere alle filer. Vil du fortsætte?",
|
||||
"Thorough explanation": "Grundig forklaring",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika-server-URL påkrævet.",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klicken Sie hier, um",
|
||||
"Click here to download user import template file.": "Klicken Sie hier, um die Vorlage für den Benutzerimport herunterzuladen.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klicken Sie hier, um mehr über faster-whisper zu erfahren und die verfügbaren Modelle zu sehen.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klicke Sie zum Auswählen hier",
|
||||
"Click here to select a csv file.": "Klicken Sie zum Auswählen einer CSV-Datei hier.",
|
||||
"Click here to select a py file.": "Klicken Sie zum Auswählen einer py-Datei hier.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentation",
|
||||
"Documents": "Dokumente",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "stellt keine externen Verbindungen her, und Ihre Daten bleiben sicher auf Ihrem lokal gehosteten Server.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Haben Sie noch kein Benutzerkonto?",
|
||||
"don't install random functions from sources you don't trust.": "installieren Sie keine Funktionen aus Quellen, denen Sie nicht vertrauen.",
|
||||
"don't install random tools from sources you don't trust.": "installieren Sie keine Werkzeuge aus Quellen, denen Sie nicht vertrauen.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Geben Sie die Blocküberlappung ein",
|
||||
"Enter Chunk Size": "Geben Sie die Blockgröße ein",
|
||||
"Enter description": "Geben Sie eine Beschreibung ein",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "Geben Sie den Exa-API-Schlüssel ein",
|
||||
"Enter Github Raw URL": "Geben Sie die Github Raw-URL ein",
|
||||
"Enter Google PSE API Key": "Geben Sie den Google PSE-API-Schlüssel ein",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Wissen erfolgreich gelöscht.",
|
||||
"Knowledge reset successfully.": "Wissen erfolgreich zurückgesetzt.",
|
||||
"Knowledge updated successfully": "Wissen erfolgreich aktualisiert",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Label",
|
||||
"Landing Page Mode": "Startseitenmodus",
|
||||
"Language": "Sprache",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Leer lassen, um alle Modelle vom \"{{URL}}/models\"-Endpunkt einzuschließen",
|
||||
"Leave empty to include all models or select specific models": "Leer lassen, um alle Modelle einzuschließen oder spezifische Modelle auszuwählen",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Leer lassen, um den Standardprompt zu verwenden, oder geben Sie einen benutzerdefinierten Prompt ein",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Hell",
|
||||
"Listening...": "Höre zu...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Dadurch wird die Wissensdatenbank zurückgesetzt und alle Dateien synchronisiert. Möchten Sie fortfahren?",
|
||||
"Thorough explanation": "Ausführliche Erklärung",
|
||||
"Thought for {{DURATION}}": "Nachgedacht für {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika-Server-URL erforderlich.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Click to select",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "Documents",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "does not connect external, data stays safe locally.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "No account? Much sad.",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Enter Overlap of Chunks",
|
||||
"Enter Chunk Size": "Enter Size of Chunk",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "",
|
||||
"Enter Google PSE API Key": "",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Doge Speak",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Light",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Κάντε κλικ εδώ για να",
|
||||
"Click here to download user import template file.": "Κάντε κλικ εδώ για να κατεβάσετε το αρχείο προτύπου εισαγωγής χρήστη.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Κάντε κλικ εδώ για να μάθετε περισσότερα σχετικά με το faster-whisper και να δείτε τα διαθέσιμα μοντέλα.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Κάντε κλικ εδώ για επιλογή",
|
||||
"Click here to select a csv file.": "Κάντε κλικ εδώ για να επιλέξετε ένα αρχείο csv.",
|
||||
"Click here to select a py file.": "Κάντε κλικ εδώ για να επιλέξετε ένα αρχείο py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Τεκμηρίωση",
|
||||
"Documents": "Έγγραφα",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "δεν κάνει καμία εξωτερική σύνδεση, και τα δεδομένα σας παραμένουν ασφαλή στον τοπικά φιλοξενούμενο διακομιστή σας.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Δεν έχετε λογαριασμό;",
|
||||
"don't install random functions from sources you don't trust.": "μην εγκαθιστάτε τυχαίες λειτουργίες από πηγές που δεν εμπιστεύεστε.",
|
||||
"don't install random tools from sources you don't trust.": "μην εγκαθιστάτε τυχαία εργαλεία από πηγές που δεν εμπιστεύεστε.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Εισάγετε την Επικάλυψη Τμημάτων",
|
||||
"Enter Chunk Size": "Εισάγετε το Μέγεθος Τμημάτων",
|
||||
"Enter description": "Εισάγετε την περιγραφή",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Εισάγετε το Github Raw URL",
|
||||
"Enter Google PSE API Key": "Εισάγετε το Κλειδί API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Η γνώση διαγράφηκε με επιτυχία.",
|
||||
"Knowledge reset successfully.": "Η γνώση επαναφέρθηκε με επιτυχία.",
|
||||
"Knowledge updated successfully": "Η γνώση ενημερώθηκε με επιτυχία",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Ετικέτα",
|
||||
"Landing Page Mode": "Λειτουργία Σελίδας Άφιξης",
|
||||
"Language": "Γλώσσα",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Αφήστε κενό για να συμπεριλάβετε όλα τα μοντέλα από το endpoint \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Αφήστε κενό για να χρησιμοποιήσετε όλα τα μοντέλα ή επιλέξτε συγκεκριμένα μοντέλα",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Αφήστε κενό για να χρησιμοποιήσετε την προεπιλεγμένη προτροπή, ή εισάγετε μια προσαρμοσμένη προτροπή",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Φως",
|
||||
"Listening...": "Ακούγεται...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Αυτό θα επαναφέρει τη βάση γνώσης και θα συγχρονίσει όλα τα αρχεία. Θέλετε να συνεχίσετε;",
|
||||
"Thorough explanation": "Λεπτομερής εξήγηση",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Απαιτείται το URL διακομιστή Tika.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "",
|
||||
"Enter Chunk Size": "",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "",
|
||||
"Enter Google PSE API Key": "",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "",
|
||||
"Enter Chunk Size": "",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "",
|
||||
"Enter Google PSE API Key": "",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Presiona aquí para",
|
||||
"Click here to download user import template file.": "Presiona aquí para descargar el archivo de plantilla de importación de usuario.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Clic aquí para aprender más sobre faster-whisper y ver los modelos disponibles.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Presiona aquí para seleccionar",
|
||||
"Click here to select a csv file.": "Presiona aquí para seleccionar un archivo csv.",
|
||||
"Click here to select a py file.": "Presiona aquí para seleccionar un archivo py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentación",
|
||||
"Documents": "Documentos",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "no realiza ninguna conexión externa y sus datos permanecen seguros en su servidor alojado localmente.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "¿No tienes una cuenta?",
|
||||
"don't install random functions from sources you don't trust.": "no instale funciones aleatorias desde fuentes que no confíe.",
|
||||
"don't install random tools from sources you don't trust.": "no instale herramientas aleatorias desde fuentes que no confíe.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Ingresar superposición de fragmentos",
|
||||
"Enter Chunk Size": "Ingrese el tamaño del fragmento",
|
||||
"Enter description": "Ingrese la descripción",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "Ingrese la clave API de Exa",
|
||||
"Enter Github Raw URL": "Ingresa la URL sin procesar de Github",
|
||||
"Enter Google PSE API Key": "Ingrese la clave API de Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Conocimiento eliminado exitosamente.",
|
||||
"Knowledge reset successfully.": "Conocimiento restablecido exitosamente.",
|
||||
"Knowledge updated successfully": "Conocimiento actualizado exitosamente.",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Etiqueta",
|
||||
"Landing Page Mode": "Modo de Página de Inicio",
|
||||
"Language": "Lenguaje",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Deje vacío para incluir todos los modelos desde el endpoint \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Deje vacío para incluir todos los modelos o seleccione modelos específicos",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Deje vacío para usar el prompt predeterminado, o ingrese un prompt personalizado",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Claro",
|
||||
"Listening...": "Escuchando...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -918,7 +924,7 @@
|
||||
"Thanks for your feedback!": "¡Gracias por tu retroalimentación!",
|
||||
"The Application Account DN you bind with for search": "La cuenta de aplicación DN que vincula para la búsqueda",
|
||||
"The base to search for users": "La base para buscar usuarios",
|
||||
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory. (Default: 512)": "El tamaño del lote determina cuántas solicitudes de texto se procesan juntas a la vez. Un tamaño de lote más grande puede aumentar el rendimiento y la velocidad del modelo, pero también requiere más memoria. (Predeterminado: 512)",
|
||||
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory. (Default: 512)": "",
|
||||
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Los desarrolladores de este plugin son apasionados voluntarios de la comunidad. Si encuentras este plugin útil, por favor considere contribuir a su desarrollo.",
|
||||
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "El tablero de líderes de evaluación se basa en el sistema de clasificación Elo y se actualiza en tiempo real.",
|
||||
"The LDAP attribute that maps to the mail that users use to sign in.": "El atributo LDAP que se asigna al correo que los usuarios utilizan para iniciar sesión.",
|
||||
@ -934,7 +940,7 @@
|
||||
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guarden de forma segura en su base de datos en el backend. ¡Gracias!",
|
||||
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es una característica experimental que puede no funcionar como se esperaba y está sujeto a cambios en cualquier momento.",
|
||||
"This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics. (Default: 24)": "Esta opción controla cuántos tokens se conservan al actualizar el contexto. Por ejemplo, si se establece en 2, se conservarán los últimos 2 tokens del contexto de la conversación. Conservar el contexto puede ayudar a mantener la continuidad de una conversación, pero puede reducir la capacidad de responder a nuevos temas. (Predeterminado: 24)",
|
||||
"This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated. (Default: 128)": "Esta opción establece el número máximo de tokens que el modelo puede generar en su respuesta. Aumentar este límite permite que el modelo proporcione respuestas más largas, pero también puede aumentar la probabilidad de que se genere contenido inútil o irrelevante. (Predeterminado: 128)",
|
||||
"This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated. (Default: 128)": "",
|
||||
"This option will delete all existing files in the collection and replace them with newly uploaded files.": "Esta opción eliminará todos los archivos existentes en la colección y los reemplazará con nuevos archivos subidos.",
|
||||
"This response was generated by \"{{model}}\"": "Esta respuesta fue generada por \"{{model}}\"",
|
||||
"This will delete": "Esto eliminará",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Esto reseteará la base de conocimientos y sincronizará todos los archivos. ¿Desea continuar?",
|
||||
"Thorough explanation": "Explicación exhaustiva",
|
||||
"Thought for {{DURATION}}": "Pensamiento para {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "URL del servidor de Tika",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klikatu hemen",
|
||||
"Click here to download user import template file.": "Klikatu hemen erabiltzaileen inportazio txantiloia deskargatzeko.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klikatu hemen faster-whisper-i buruz gehiago ikasteko eta eredu erabilgarriak ikusteko.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klikatu hemen hautatzeko",
|
||||
"Click here to select a csv file.": "Klikatu hemen csv fitxategi bat hautatzeko.",
|
||||
"Click here to select a py file.": "Klikatu hemen py fitxategi bat hautatzeko.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentazioa",
|
||||
"Documents": "Dokumentuak",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ez du kanpo konexiorik egiten, eta zure datuak modu seguruan mantentzen dira zure zerbitzari lokalean.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Ez duzu konturik?",
|
||||
"don't install random functions from sources you don't trust.": "ez instalatu fidagarriak ez diren iturrietatik datozen ausazko funtzioak.",
|
||||
"don't install random tools from sources you don't trust.": "ez instalatu fidagarriak ez diren iturrietatik datozen ausazko tresnak.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Sartu Zatien Gainjartzea (chunk overlap)",
|
||||
"Enter Chunk Size": "Sartu Zati Tamaina",
|
||||
"Enter description": "Sartu deskribapena",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Sartu Github Raw URLa",
|
||||
"Enter Google PSE API Key": "Sartu Google PSE API Gakoa",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Ezagutza ongi ezabatu da.",
|
||||
"Knowledge reset successfully.": "Ezagutza ongi berrezarri da.",
|
||||
"Knowledge updated successfully": "Ezagutza ongi eguneratu da.",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Etiketa",
|
||||
"Landing Page Mode": "Hasiera Orriaren Modua",
|
||||
"Language": "Hizkuntza",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Utzi hutsik \"{{URL}}/models\" endpointuko eredu guztiak sartzeko",
|
||||
"Leave empty to include all models or select specific models": "Utzi hutsik eredu guztiak sartzeko edo hautatu eredu zehatzak",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Utzi hutsik prompt lehenetsia erabiltzeko, edo sartu prompt pertsonalizatu bat",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Argia",
|
||||
"Listening...": "Entzuten...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Honek ezagutza-basea berrezarri eta fitxategi guztiak sinkronizatuko ditu. Jarraitu nahi duzu?",
|
||||
"Thorough explanation": "Azalpen sakona",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika zerbitzariaren URLa beharrezkoa da.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "برای کمک اینجا را کلیک کنید.",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "برای انتخاب اینجا کلیک کنید",
|
||||
"Click here to select a csv file.": "برای انتخاب یک فایل csv اینجا را کلیک کنید.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "اسناد",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "هیچ اتصال خارجی ایجاد نمی کند و داده های شما به طور ایمن در سرور میزبان محلی شما باقی می ماند.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "حساب کاربری ندارید؟",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "مقدار Chunk Overlap را وارد کنید",
|
||||
"Enter Chunk Size": "مقدار Chunk Size را وارد کنید",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "ادرس Github Raw را وارد کنید",
|
||||
"Enter Google PSE API Key": "کلید API گوگل PSE را وارد کنید",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "زبان",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "روشن",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "توضیح کامل",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klikkaa tästä",
|
||||
"Click here to download user import template file.": "Lataa käyttäjien tuontipohjatiedosto klikkaamalla tästä.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klikkaa tästä oppiaksesi lisää faster-whisperista ja nähdäksesi saatavilla olevat mallit.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klikkaa tästä valitaksesi",
|
||||
"Click here to select a csv file.": "Klikkaa tästä valitaksesi CSV-tiedosto.",
|
||||
"Click here to select a py file.": "Klikkaa tästä valitaksesi py-tiedosto.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentaatio",
|
||||
"Documents": "Asiakirjat",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ei tee ulkoisia yhteyksiä, ja tietosi pysyvät turvallisesti paikallisesti isännöidyllä palvelimellasi.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Eikö sinulla ole tiliä?",
|
||||
"don't install random functions from sources you don't trust.": "älä asenna satunnaisia toimintoja lähteistä, joihin et luota.",
|
||||
"don't install random tools from sources you don't trust.": "älä asenna satunnaisia työkaluja lähteistä, joihin et luota.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Syötä osien päällekkäisyys",
|
||||
"Enter Chunk Size": "Syötä osien koko",
|
||||
"Enter description": "Kirjoita kuvaus",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Kirjoita Github Raw -URL-osoite",
|
||||
"Enter Google PSE API Key": "Kirjoita Google PSE API -avain",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Tietokanta poistettu onnistuneesti.",
|
||||
"Knowledge reset successfully.": "Tietokanta nollattu onnistuneesti.",
|
||||
"Knowledge updated successfully": "Tietokanta päivitetty onnistuneesti",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Tunniste",
|
||||
"Landing Page Mode": "Etusivun tila",
|
||||
"Language": "Kieli",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Jätä tyhjäksi, jos haluat sisällyttää kaikki mallit \"{{URL}}/models\" -päätepistestä",
|
||||
"Leave empty to include all models or select specific models": "Jätä tyhjäksi, jos haluat sisällyttää kaikki mallit tai valitse tietyt mallit",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Jätä tyhjäksi käyttääksesi oletuskehotetta tai kirjoita mukautettu kehote",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Vaalea",
|
||||
"Listening...": "Kuuntelee...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Tämä nollaa tietokannan ja synkronoi kaikki tiedostot. Haluatko jatkaa?",
|
||||
"Thorough explanation": "Perusteellinen selitys",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika Server URL vaaditaan.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Cliquez ici pour",
|
||||
"Click here to download user import template file.": "Cliquez ici pour télécharger le fichier modèle d'importation utilisateur.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Cliquez ici pour sélectionner",
|
||||
"Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier CSV.",
|
||||
"Click here to select a py file.": "Cliquez ici pour sélectionner un fichier .py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentation",
|
||||
"Documents": "Documents",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ne fait aucune connexion externe et garde vos données en sécurité sur votre serveur local.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Vous n'avez pas de compte ?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Entrez le chevauchement de chunk",
|
||||
"Enter Chunk Size": "Entrez la taille de bloc",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Entrez l'URL brute de GitHub",
|
||||
"Enter Google PSE API Key": "Entrez la clé API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Langue",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Lumineux",
|
||||
"Listening...": "En train d'écouter...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Explication approfondie",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "URL du serveur Tika requise.",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Cliquez ici pour",
|
||||
"Click here to download user import template file.": "Cliquez ici pour télécharger le fichier modèle d'importation des utilisateurs.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Cliquez ici pour en savoir plus sur faster-whisper et voir les modèles disponibles.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Cliquez ici pour sélectionner",
|
||||
"Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier .csv.",
|
||||
"Click here to select a py file.": "Cliquez ici pour sélectionner un fichier .py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentation",
|
||||
"Documents": "Documents",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "n'établit aucune connexion externe et garde vos données en sécurité sur votre serveur local.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Vous n'avez pas de compte ?",
|
||||
"don't install random functions from sources you don't trust.": "n'installez pas de fonctions aléatoires provenant de sources auxquelles vous ne faites pas confiance.",
|
||||
"don't install random tools from sources you don't trust.": "n'installez pas d'outils aléatoires provenant de sources auxquelles vous ne faites pas confiance.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Entrez le chevauchement des chunks",
|
||||
"Enter Chunk Size": "Entrez la taille des chunks",
|
||||
"Enter description": "Entrez la description",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Entrez l'URL brute de GitHub",
|
||||
"Enter Google PSE API Key": "Entrez la clé API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Connaissance supprimée avec succès.",
|
||||
"Knowledge reset successfully.": "Connaissance réinitialisée avec succès.",
|
||||
"Knowledge updated successfully": "Connaissance mise à jour avec succès",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Étiquette",
|
||||
"Landing Page Mode": "Mode de la page d'accueil",
|
||||
"Language": "Langue",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Laissez vide pour inclure tous les modèles depuis le point de terminaison \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Laissez vide pour inclure tous les modèles ou sélectionnez des modèles spécifiques",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Laissez vide pour utiliser le prompt par défaut, ou entrez un prompt personnalisé",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Clair",
|
||||
"Listening...": "Écoute en cours...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Cela réinitialisera la base de connaissances et synchronisera tous les fichiers. Souhaitez-vous continuer ?",
|
||||
"Thorough explanation": "Explication approfondie",
|
||||
"Thought for {{DURATION}}": "Réflexion de {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "URL du serveur Tika requise.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "לחץ כאן כדי",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "לחץ כאן לבחירה",
|
||||
"Click here to select a csv file.": "לחץ כאן לבחירת קובץ csv.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "מסמכים",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "לא מבצע חיבורים חיצוניים, והנתונים שלך נשמרים באופן מאובטח בשרת המקומי שלך.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "אין לך חשבון?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "הזן חפיפת נתונים",
|
||||
"Enter Chunk Size": "הזן גודל נתונים",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "הזן כתובת URL של Github Raw",
|
||||
"Enter Google PSE API Key": "הזן מפתח API של Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "שפה",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "בהיר",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "תיאור מפורט",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "यहां क्लिक करें",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "चयन करने के लिए यहां क्लिक करें।",
|
||||
"Click here to select a csv file.": "सीएसवी फ़ाइल का चयन करने के लिए यहां क्लिक करें।",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "दस्तावेज़",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "कोई बाहरी कनेक्शन नहीं बनाता है, और आपका डेटा आपके स्थानीय रूप से होस्ट किए गए सर्वर पर सुरक्षित रूप से रहता है।",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "कोई खाता नहीं है?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "चंक ओवरलैप दर्ज करें",
|
||||
"Enter Chunk Size": "खंड आकार दर्ज करें",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Github Raw URL दर्ज करें",
|
||||
"Enter Google PSE API Key": "Google PSE API कुंजी दर्ज करें",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "भाषा",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "सुन",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "विस्तृत व्याख्या",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Kliknite ovdje za",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Kliknite ovdje za odabir",
|
||||
"Click here to select a csv file.": "Kliknite ovdje da odaberete csv datoteku.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentacija",
|
||||
"Documents": "Dokumenti",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ne uspostavlja vanjske veze, a vaši podaci ostaju sigurno na vašem lokalno hostiranom poslužitelju.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nemate račun?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Unesite preklapanje dijelova",
|
||||
"Enter Chunk Size": "Unesite veličinu dijela",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Unesite Github sirovi URL",
|
||||
"Enter Google PSE API Key": "Unesite Google PSE API ključ",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Jezik",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Svijetlo",
|
||||
"Listening...": "Slušam...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Detaljno objašnjenje",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Kattints ide",
|
||||
"Click here to download user import template file.": "Kattints ide a felhasználó importálási sablon letöltéséhez.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Kattints ide, hogy többet tudj meg a faster-whisperről és lásd az elérhető modelleket.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Kattints ide a kiválasztáshoz",
|
||||
"Click here to select a csv file.": "Kattints ide egy CSV fájl kiválasztásához.",
|
||||
"Click here to select a py file.": "Kattints ide egy py fájl kiválasztásához.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentáció",
|
||||
"Documents": "Dokumentumok",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "nem létesít külső kapcsolatokat, és az adataid biztonságban maradnak a helyileg hosztolt szervereden.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nincs még fiókod?",
|
||||
"don't install random functions from sources you don't trust.": "ne telepíts véletlenszerű funkciókat olyan forrásokból, amelyekben nem bízol.",
|
||||
"don't install random tools from sources you don't trust.": "ne telepíts véletlenszerű eszközöket olyan forrásokból, amelyekben nem bízol.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Add meg a darab átfedést",
|
||||
"Enter Chunk Size": "Add meg a darab méretet",
|
||||
"Enter description": "Add meg a leírást",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Add meg a Github Raw URL-t",
|
||||
"Enter Google PSE API Key": "Add meg a Google PSE API kulcsot",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Tudásbázis sikeresen törölve.",
|
||||
"Knowledge reset successfully.": "Tudásbázis sikeresen visszaállítva.",
|
||||
"Knowledge updated successfully": "Tudásbázis sikeresen frissítve",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Kezdőlap mód",
|
||||
"Language": "Nyelv",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "Hagyja üresen az összes modell használatához, vagy válasszon ki konkrét modelleket",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Hagyja üresen az alapértelmezett prompt használatához, vagy adjon meg egyéni promptot",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Világos",
|
||||
"Listening...": "Hallgatás...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Ez visszaállítja a tudásbázist és szinkronizálja az összes fájlt. Szeretné folytatni?",
|
||||
"Thorough explanation": "Alapos magyarázat",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika szerver URL szükséges.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klik di sini untuk",
|
||||
"Click here to download user import template file.": "Klik di sini untuk mengunduh file templat impor pengguna.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klik di sini untuk memilih",
|
||||
"Click here to select a csv file.": "Klik di sini untuk memilih file csv.",
|
||||
"Click here to select a py file.": "Klik di sini untuk memilih file py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentasi",
|
||||
"Documents": "Dokumen",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "tidak membuat koneksi eksternal apa pun, dan data Anda tetap aman di server yang dihosting secara lokal.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Tidak memiliki akun?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Masukkan Tumpang Tindih Chunk",
|
||||
"Enter Chunk Size": "Masukkan Ukuran Potongan",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Masukkan URL Mentah Github",
|
||||
"Enter Google PSE API Key": "Masukkan Kunci API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Bahasa",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Cahaya",
|
||||
"Listening...": "Mendengarkan",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Penjelasan menyeluruh",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Cliceáil anseo chun",
|
||||
"Click here to download user import template file.": "Cliceáil anseo chun an comhad iompórtála úsáideora a íoslódáil.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Cliceáil anseo chun níos mó a fhoghlaim faoi cogar níos tapúla agus na múnlaí atá ar fáil a fheiceáil.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Cliceáil anseo chun roghnú",
|
||||
"Click here to select a csv file.": "Cliceáil anseo chun comhad csv a roghnú.",
|
||||
"Click here to select a py file.": "Cliceáil anseo chun comhad py a roghnú.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Doiciméadú",
|
||||
"Documents": "Doiciméid",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ní dhéanann sé aon naisc sheachtracha, agus fanann do chuid sonraí go slán ar do fhreastalaí a óstáiltear go háitiúil.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Níl cuntas agat?",
|
||||
"don't install random functions from sources you don't trust.": "ná suiteáil feidhmeanna randamacha ó fhoinsí nach bhfuil muinín agat.",
|
||||
"don't install random tools from sources you don't trust.": "ná suiteáil uirlisí randamacha ó fhoinsí nach bhfuil muinín agat.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Cuir isteach Chunk Forluí",
|
||||
"Enter Chunk Size": "Cuir isteach Méid an Chunc",
|
||||
"Enter description": "Iontráil cur síos",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "Cuir isteach Eochair Exa API",
|
||||
"Enter Github Raw URL": "Cuir isteach URL Github Raw",
|
||||
"Enter Google PSE API Key": "Cuir isteach Eochair API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "D'éirigh leis an eolas a scriosadh.",
|
||||
"Knowledge reset successfully.": "D'éirigh le hathshocrú eolais.",
|
||||
"Knowledge updated successfully": "D'éirigh leis an eolas a nuashonrú",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Lipéad",
|
||||
"Landing Page Mode": "Mód Leathanach Tuirlingthe",
|
||||
"Language": "Teanga",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Fág folamh chun gach múnla ón gcríochphointe \"{{URL}}/models\" a chur san áireamh",
|
||||
"Leave empty to include all models or select specific models": "Fág folamh chun gach múnla a chur san áireamh nó roghnaigh múnlaí sonracha",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Fág folamh chun an leid réamhshocraithe a úsáid, nó cuir isteach leid saincheaptha",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Solas",
|
||||
"Listening...": "Éisteacht...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Déanfaidh sé seo an bonn eolais a athshocrú agus gach comhad a shioncronú. Ar mhaith leat leanúint ar aghaidh?",
|
||||
"Thorough explanation": "Míniú críochnúil",
|
||||
"Thought for {{DURATION}}": "Smaoineamh ar {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Teastaíonn URL Freastalaí Tika.",
|
||||
"Tiktoken": "Tictoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Clicca qui per",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Clicca qui per selezionare",
|
||||
"Click here to select a csv file.": "Clicca qui per selezionare un file csv.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "Documenti",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "non effettua connessioni esterne e i tuoi dati rimangono al sicuro sul tuo server ospitato localmente.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Non hai un account?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Inserisci la sovrapposizione chunk",
|
||||
"Enter Chunk Size": "Inserisci la dimensione chunk",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Immettere l'URL grezzo di Github",
|
||||
"Enter Google PSE API Key": "Inserisci la chiave API PSE di Google",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Lingua",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Chiaro",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Spiegazione dettagliata",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "ここをクリックして",
|
||||
"Click here to download user import template file.": "ユーザーテンプレートをインポートするにはここをクリックしてください。",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "選択するにはここをクリックしてください",
|
||||
"Click here to select a csv file.": "CSVファイルを選択するにはここをクリックしてください。",
|
||||
"Click here to select a py file.": "Pythonスクリプトファイルを選択するにはここをクリックしてください。",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "ドキュメント",
|
||||
"Documents": "ドキュメント",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "外部接続を行わず、データはローカルでホストされているサーバー上に安全に保持されます。",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "アカウントをお持ちではありませんか?",
|
||||
"don't install random functions from sources you don't trust.": "信頼出来ないソースからランダムFunctionをインストールしないでください。",
|
||||
"don't install random tools from sources you don't trust.": "信頼出来ないソースからランダムツールをインストールしないでください。",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "チャンクオーバーラップを入力してください",
|
||||
"Enter Chunk Size": "チャンクサイズを入力してください",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Github Raw URLを入力",
|
||||
"Enter Google PSE API Key": "Google PSE APIキーの入力",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "ナレッジベースの削除に成功しました",
|
||||
"Knowledge reset successfully.": "ナレッジベースのリセットに成功しました",
|
||||
"Knowledge updated successfully": "ナレッジベースのアップデートに成功しました",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "ランディングページモード",
|
||||
"Language": "言語",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "カスタムプロンプトを入力。空欄ならデフォルトプロンプト",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "ライト",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "詳細な説明",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "დააკლიკე აქ",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "ასარჩევად, დააკლიკე აქ",
|
||||
"Click here to select a csv file.": "ასარჩევად, დააკლიკე აქ",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "დოკუმენტები",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "არ ამყარებს გარე კავშირებს და თქვენი მონაცემები უსაფრთხოდ რჩება თქვენს ადგილობრივ სერვერზე.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "არ გაქვს ანგარიში?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "შეიყვანეთ ნაწილის გადახურვა",
|
||||
"Enter Chunk Size": "შეიყვანე ბლოკის ზომა",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "შეიყვანეთ Github Raw URL",
|
||||
"Enter Google PSE API Key": "შეიყვანეთ Google PSE API გასაღები",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "ენა",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "მსუბუქი",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "ვრცლად აღწერა",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "여기를 클릭하면",
|
||||
"Click here to download user import template file.": "사용자 삽입 템플렛 파일을 다운받으려면 여기를 클릭하세요",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "빠른 속삭임에 대해 배우거나 가능한 모델을 보려면 여기를 클릭하세요",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "선택하려면 여기를 클릭하세요.",
|
||||
"Click here to select a csv file.": "csv 파일을 선택하려면 여기를 클릭하세요.",
|
||||
"Click here to select a py file.": "py 파일을 선택하려면 여기를 클릭하세요.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "문서 조사",
|
||||
"Documents": "문서",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "외부와 어떠한 연결도 하지 않으며, 데이터는 로컬에서 호스팅되는 서버에 안전하게 유지됩니다.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "계정이 없으신가요?",
|
||||
"don't install random functions from sources you don't trust.": "불분명한 출처를 가진 임의의 함수를 설치하지마세요",
|
||||
"don't install random tools from sources you don't trust.": "불분명한 출처를 가진 임의의 도구를 설치하지마세요",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "청크 오버랩 입력",
|
||||
"Enter Chunk Size": "청크 크기 입력",
|
||||
"Enter description": "설명 입력",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Github Raw URL 입력",
|
||||
"Enter Google PSE API Key": "Google PSE API 키 입력",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "성공적으로 지식 기반이 삭제되었습니다",
|
||||
"Knowledge reset successfully.": "성공적으로 지식 기반이 초기화되었습니다",
|
||||
"Knowledge updated successfully": "성공적으로 지식 기반이 업데이트되었습니다",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "랜딩페이지 모드",
|
||||
"Language": "언어",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "특정 모델을 선택하거나 모든 모델을 포함하고 싶으면 빈칸으로 남겨두세요",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "기본 프롬프트를 사용하기 위해 빈칸으로 남겨두거나, 커스텀 프롬프트를 입력하세요",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "라이트",
|
||||
"Listening...": "듣는 중...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "지식 기반과 모든 파일 연동을 초기화합니다. 계속 하시겠습니까?",
|
||||
"Thorough explanation": "완전한 설명",
|
||||
"Thought for {{DURATION}}": "{{DURATION}} 동안 생각함",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "티카(Tika)",
|
||||
"Tika Server URL required.": "티카 서버 URL이 필요합니다",
|
||||
"Tiktoken": "틱토큰 (Tiktoken)",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Paspauskite čia, kad:",
|
||||
"Click here to download user import template file.": "Pasauskite čia norėdami sukurti naudotojo įkėlimo šablono rinkmeną",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Spauskite čia norėdami pasirinkti",
|
||||
"Click here to select a csv file.": "Spauskite čia tam, kad pasirinkti csv failą",
|
||||
"Click here to select a py file.": "Spauskite čia norėdami pasirinkti py failą",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentacija",
|
||||
"Documents": "Dokumentai",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "neturi jokių išorinių ryšių ir duomenys lieka serveryje.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Neturite paskyros?",
|
||||
"don't install random functions from sources you don't trust.": "neinstaliuokite funkcijų iš nepatikimų šaltinių",
|
||||
"don't install random tools from sources you don't trust.": "neinstaliuokite įrankių iš nepatikimų šaltinių",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Įveskite blokų persidengimą",
|
||||
"Enter Chunk Size": "Įveskite blokų dydį",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Įveskite GitHub Raw nuorodą",
|
||||
"Enter Google PSE API Key": "Įveskite Google PSE API raktą",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Kalba",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Šviesus",
|
||||
"Listening...": "Klausoma...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Platus paaiškinimas",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Reiklainga Tika serverio nuorodą",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klik disini untuk",
|
||||
"Click here to download user import template file.": "Klik disini untuk memuat turun fail templat import pengguna",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klik disini untuk memilih",
|
||||
"Click here to select a csv file.": "Klik disini untuk memilih fail csv",
|
||||
"Click here to select a py file.": "Klik disini untuk memilih fail py",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentasi",
|
||||
"Documents": "Dokumen",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "tidak membuat sebarang sambungan luaran, dan data anda kekal selamat pada pelayan yang dihoskan ditempat anda",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Anda tidak mempunyai akaun?",
|
||||
"don't install random functions from sources you don't trust.": "jangan pasang mana-mana fungsi daripada sumber yang anda tidak percayai.",
|
||||
"don't install random tools from sources you don't trust.": "jangan pasang mana-mana alat daripada sumber yang anda tidak percayai.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Masukkan Tindihan 'Chunk'",
|
||||
"Enter Chunk Size": "Masukkan Saiz 'Chunk'",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Masukkan URL 'Github Raw'",
|
||||
"Enter Google PSE API Key": "Masukkan kunci API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Bahasa",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Cerah",
|
||||
"Listening...": "Mendengar...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Penjelasan menyeluruh",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "URL Pelayan Tika diperlukan.",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klikk her for å",
|
||||
"Click here to download user import template file.": "Klikk her for å hente ned malfilen for import av brukere.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klikk her for å lære mer om faster-whisper, og se de tilgjengelige modellene.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klikk her for å velge",
|
||||
"Click here to select a csv file.": "Klikk her for å velge en CSV-fil.",
|
||||
"Click here to select a py file.": "Klikk her for å velge en PY-fil.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentasjon",
|
||||
"Documents": "Dokumenter",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ikke ingen tilkobling til eksterne tjenester. Dataene dine forblir sikkert på den lokale serveren.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Har du ingen konto?",
|
||||
"don't install random functions from sources you don't trust.": "ikke installer tilfeldige funksjoner fra kilder du ikke stoler på.",
|
||||
"don't install random tools from sources you don't trust.": "ikke installer tilfeldige verktøy fra kilder du ikke stoler på.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Angi Chunk-overlapp",
|
||||
"Enter Chunk Size": "Angi Chunk-størrelse",
|
||||
"Enter description": "Angi beskrivelse",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Angi Github Raw-URL",
|
||||
"Enter Google PSE API Key": "Angi API-nøkkel for Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Kunnskap slettet.",
|
||||
"Knowledge reset successfully.": "Tilbakestilling av kunnskap vellykket.",
|
||||
"Knowledge updated successfully": "Kunnskap oppdatert",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Etikett",
|
||||
"Landing Page Mode": "Modus for startside",
|
||||
"Language": "Språk",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "La stå tomt for å inkludere alle modeller fra endepunktet \"{{URL}}/api/models\"",
|
||||
"Leave empty to include all models or select specific models": "La stå tomt for å inkludere alle modeller",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "La stå tomt for å bruke standard ledetekst, eller angi en tilpasset ledetekst",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Lys",
|
||||
"Listening...": "Lytter ...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Dette tilbakestiller kunnskapsbasen og synkroniserer alle filer. Vil du fortsette?",
|
||||
"Thorough explanation": "Grundig forklaring",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Server-URL for Tika kreves.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klik hier om",
|
||||
"Click here to download user import template file.": "Klik hier om het sjabloonbestand voor gebruikersimport te downloaden.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Klik hier om meer te leren over faster-whisper en de beschikbare modellen te bekijken.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klik hier om te selecteren",
|
||||
"Click here to select a csv file.": "Klik hier om een csv file te selecteren.",
|
||||
"Click here to select a py file.": "Klik hier om een py-bestand te selecteren.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentatie",
|
||||
"Documents": "Documenten",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "maakt geen externe verbindingen, en je gegevens blijven veilig op je lokaal gehoste server.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Heb je geen account?",
|
||||
"don't install random functions from sources you don't trust.": "installeer geen willekeurige functies van bronnen die je niet vertrouwd",
|
||||
"don't install random tools from sources you don't trust.": "installeer geen willekeurige gereedschappen van bronnen die je niet vertrouwd",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Voeg Chunk Overlap toe",
|
||||
"Enter Chunk Size": "Voeg Chunk Size toe",
|
||||
"Enter description": "Voer beschrijving in",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Voer de Github Raw-URL in",
|
||||
"Enter Google PSE API Key": "Voer de Google PSE API-sleutel in",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Kennis succesvol verwijderd",
|
||||
"Knowledge reset successfully.": "Kennis succesvol gereset",
|
||||
"Knowledge updated successfully": "Kennis succesvol bijgewerkt",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Label",
|
||||
"Landing Page Mode": "Landingspaginamodus",
|
||||
"Language": "Taal",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Laat leeg om alle modellen van het \"{{URL}}/models\" endpoint toe te voegen",
|
||||
"Leave empty to include all models or select specific models": "Laat leeg om alle modellen mee te nemen, of selecteer specifieke modellen",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Laat leeg om de standaard prompt te gebruiken, of selecteer een aangepaste prompt",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Licht",
|
||||
"Listening...": "Aan het luisteren...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Dit zal de kennisdatabase resetten en alle bestanden synchroniseren. Wilt u doorgaan?",
|
||||
"Thorough explanation": "Gevorderde uitleg",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Tika Server-URL vereist",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "ਚੁਣਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ",
|
||||
"Click here to select a csv file.": "CSV ਫਾਈਲ ਚੁਣਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "ਡਾਕੂਮੈਂਟ",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ਕੋਈ ਬਾਹਰੀ ਕਨੈਕਸ਼ਨ ਨਹੀਂ ਬਣਾਉਂਦਾ, ਅਤੇ ਤੁਹਾਡਾ ਡਾਟਾ ਤੁਹਾਡੇ ਸਥਾਨਕ ਸਰਵਰ 'ਤੇ ਸੁਰੱਖਿਅਤ ਰਹਿੰਦਾ ਹੈ।",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "ਖਾਤਾ ਨਹੀਂ ਹੈ?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "ਚੰਕ ਓਵਰਲੈਪ ਦਰਜ ਕਰੋ",
|
||||
"Enter Chunk Size": "ਚੰਕ ਆਕਾਰ ਦਰਜ ਕਰੋ",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Github ਕੱਚਾ URL ਦਾਖਲ ਕਰੋ",
|
||||
"Enter Google PSE API Key": "Google PSE API ਕੁੰਜੀ ਦਾਖਲ ਕਰੋ",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "ਭਾਸ਼ਾ",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "ਹਲਕਾ",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "ਵਿਸਥਾਰ ਨਾਲ ਵਿਆਖਿਆ",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Kliknij tutaj, żeby",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Kliknij tutaj, aby wybrać",
|
||||
"Click here to select a csv file.": "Kliknij tutaj, żeby wybrać plik CSV",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "Dokumenty",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "nie nawiązuje żadnych zewnętrznych połączeń, a Twoje dane pozostają bezpiecznie na Twoim lokalnie hostowanym serwerze.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nie masz konta?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Wprowadź zakchodzenie bloku",
|
||||
"Enter Chunk Size": "Wprowadź rozmiar bloku",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Wprowadź nieprzetworzony adres URL usługi Github",
|
||||
"Enter Google PSE API Key": "Wprowadź klucz API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Język",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Jasny",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Dokładne wyjaśnienie",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Clique aqui para",
|
||||
"Click here to download user import template file.": "Clique aqui para baixar o arquivo de modelo de importação de usuários.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Clique aqui para aprender mais sobre Whisper e ver os modelos disponíveis.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Clique aqui para enviar",
|
||||
"Click here to select a csv file.": "Clique aqui para enviar um arquivo csv.",
|
||||
"Click here to select a py file.": "Clique aqui para enviar um arquivo python.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentação",
|
||||
"Documents": "Documentos",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "não faz nenhuma conexão externa, e seus dados permanecem seguros no seu servidor local.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Não tem uma conta?",
|
||||
"don't install random functions from sources you don't trust.": "não instale funções aleatórias de fontes que você não confia.",
|
||||
"don't install random tools from sources you don't trust.": "não instale ferramentas aleatórias de fontes que você não confia.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Digite a Sobreposição de Chunk",
|
||||
"Enter Chunk Size": "Digite o Tamanho do Chunk",
|
||||
"Enter description": "Digite a descrição",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Digite a URL bruta do Github",
|
||||
"Enter Google PSE API Key": "Digite a Chave API do Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Conhecimento excluído com sucesso.",
|
||||
"Knowledge reset successfully.": "Conhecimento resetado com sucesso.",
|
||||
"Knowledge updated successfully": "Conhecimento atualizado com sucesso",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Rótulo",
|
||||
"Landing Page Mode": "Modo Landing Page",
|
||||
"Language": "Idioma",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Deixe vazio para incluir todos os modelos do endpoint \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Deixe vazio para incluir todos os modelos ou selecione modelos especificos",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Deixe vazio para usar o prompt padrão, ou insira um prompt personalizado",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Claro",
|
||||
"Listening...": "Escutando...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Esta ação resetará a base de conhecimento e sincronizará todos os arquivos. Deseja continuar?",
|
||||
"Thorough explanation": "Explicação detalhada",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "URL do servidor Tika necessária.",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Clique aqui para",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Clique aqui para selecionar",
|
||||
"Click here to select a csv file.": "Clique aqui para selecionar um ficheiro csv.",
|
||||
"Click here to select a py file.": "Clique aqui para selecionar um ficheiro py",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentação",
|
||||
"Documents": "Documentos",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "não faz conexões externas e os seus dados permanecem seguros no seu servidor alojado localmente.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Não tem uma conta?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Escreva a Sobreposição de Fragmento",
|
||||
"Enter Chunk Size": "Escreva o Tamanho do Fragmento",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Escreva o URL cru do Github",
|
||||
"Enter Google PSE API Key": "Escreva a chave da API PSE do Google",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Idioma",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Claro",
|
||||
"Listening...": "A escutar...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Explicação Minuciosa",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Apasă aici pentru",
|
||||
"Click here to download user import template file.": "Apasă aici pentru a descărca fișierul șablon de import utilizator.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Faceți clic aici pentru a afla mai multe despre faster-whisper și pentru a vedea modelele disponibile.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Apasă aici pentru a selecta",
|
||||
"Click here to select a csv file.": "Apasă aici pentru a selecta un fișier csv.",
|
||||
"Click here to select a py file.": "Apasă aici pentru a selecta un fișier py.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Documentație",
|
||||
"Documents": "Documente",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "nu face nicio conexiune externă, iar datele tale rămân în siguranță pe serverul găzduit local.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nu ai un cont?",
|
||||
"don't install random functions from sources you don't trust.": "nu instala funcții aleatorii din surse în care nu ai încredere.",
|
||||
"don't install random tools from sources you don't trust.": "nu instala instrumente aleatorii din surse în care nu ai încredere.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Introduceți Suprapunerea Blocului",
|
||||
"Enter Chunk Size": "Introduceți Dimensiunea Blocului",
|
||||
"Enter description": "Introduceți descrierea",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Introduceți URL-ul Raw de pe Github",
|
||||
"Enter Google PSE API Key": "Introduceți Cheia API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Cunoștințele au fost șterse cu succes.",
|
||||
"Knowledge reset successfully.": "Resetarea cunoștințelor a fost efectuată cu succes.",
|
||||
"Knowledge updated successfully": "Cunoașterea a fost actualizată cu succes",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Modul Pagină de Aterizare",
|
||||
"Language": "Limbă",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "Lăsați gol pentru a include toate modelele sau selectați modele specifice",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Lăsați gol pentru a utiliza promptul implicit sau introduceți un prompt personalizat",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Luminos",
|
||||
"Listening...": "Ascult...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Aceasta va reseta baza de cunoștințe și va sincroniza toate fișierele. Doriți să continuați?",
|
||||
"Thorough explanation": "Explicație detaliată",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Este necesar URL-ul serverului Tika.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Нажмите здесь, чтобы",
|
||||
"Click here to download user import template file.": "Нажмите здесь, чтобы загрузить файл шаблона импорта пользователя",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Нажмите здесь, чтобы выбрать",
|
||||
"Click here to select a csv file.": "Нажмите здесь, чтобы выбрать csv-файл.",
|
||||
"Click here to select a py file.": "Нажмите здесь, чтобы выбрать py-файл",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Документация",
|
||||
"Documents": "Документы",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "не устанавливает никаких внешних соединений, и ваши данные надежно хранятся на вашем локальном сервере.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "У вас нет аккаунта?",
|
||||
"don't install random functions from sources you don't trust.": "не устанавливайте случайные функции из источников, которым вы не доверяете.",
|
||||
"don't install random tools from sources you don't trust.": "не устанавливайте случайные инструменты из источников, которым вы не доверяете.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Введите перекрытие фрагмента",
|
||||
"Enter Chunk Size": "Введите размер фрагмента",
|
||||
"Enter description": "Введите описание",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Введите необработанный URL-адрес Github",
|
||||
"Enter Google PSE API Key": "Введите ключ API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Знания успешно удалены.",
|
||||
"Knowledge reset successfully.": "Знания успешно сброшены.",
|
||||
"Knowledge updated successfully": "Знания успешно обновлены",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Режим Целевой Страницы",
|
||||
"Language": "Язык",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Оставьте пустым, чтобы использовать промпт по умолчанию, или введите пользовательский промпт",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Светлый",
|
||||
"Listening...": "Слушаю...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Это сбросит базу знаний и синхронизирует все файлы. Хотите продолжить?",
|
||||
"Thorough explanation": "Подробное объяснение",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Требуется URL-адрес сервера Tika.",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Kliknite tu na",
|
||||
"Click here to download user import template file.": "Kliknite tu pre stiahnutie šablóny súboru na import užívateľov.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Kliknite sem a dozviete sa viac o faster-whisper a pozrite si dostupné modely.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Kliknite sem pre výber",
|
||||
"Click here to select a csv file.": "Kliknite sem pre výber súboru typu csv.",
|
||||
"Click here to select a py file.": "Kliknite sem pre výber {{py}} súboru.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentácia",
|
||||
"Documents": "Dokumenty",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "nevytvára žiadne externé pripojenia a vaše dáta zostávajú bezpečne na vašom lokálnom serveri.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Nemáte účet?",
|
||||
"don't install random functions from sources you don't trust.": "Neinštalujte náhodné funkcie zo zdrojov, ktorým nedôverujete.",
|
||||
"don't install random tools from sources you don't trust.": "Neinštalujte náhodné nástroje zo zdrojov, ktorým nedôverujete.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Zadajte prekryv časti",
|
||||
"Enter Chunk Size": "Zadajte veľkosť časti",
|
||||
"Enter description": "Zadajte popis",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Zadajte URL adresu Github Raw",
|
||||
"Enter Google PSE API Key": "Zadajte kľúč rozhrania API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Znalosti boli úspešne odstránené.",
|
||||
"Knowledge reset successfully.": "Úspešné obnovenie znalostí.",
|
||||
"Knowledge updated successfully": "Znalosti úspešne aktualizované",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "Režim vstupnej stránky",
|
||||
"Language": "Jazyk",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "Nechajte prázdne pre zahrnutie všetkých modelov alebo vyberte konkrétne modely.",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Nechajte prázdne pre použitie predvoleného podnetu, alebo zadajte vlastný podnet.",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Svetlo",
|
||||
"Listening...": "Počúvanie...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Toto obnoví znalostnú databázu a synchronizuje všetky súbory. Prajete si pokračovať?",
|
||||
"Thorough explanation": "Obsiahle vysvetlenie",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Je vyžadovaná URL adresa servera Tika.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Кликните овде да",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Кликните овде да изаберете",
|
||||
"Click here to select a csv file.": "Кликните овде да изаберете csv датотеку.",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Документација",
|
||||
"Documents": "Документи",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "не отвара никакве спољне везе и ваши подаци остају сигурно на вашем локално хостованом серверу.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Немате налог?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Унесите преклапање делова",
|
||||
"Enter Chunk Size": "Унесите величину дела",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Унесите Гитхуб Раw УРЛ адресу",
|
||||
"Enter Google PSE API Key": "Унесите Гоогле ПСЕ АПИ кључ",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Етикета",
|
||||
"Landing Page Mode": "Режим почетне стране",
|
||||
"Language": "Језик",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Светла",
|
||||
"Listening...": "Слушам...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Ово ће обрисати базу знања и ускладити све датотеке. Да ли желите наставити?",
|
||||
"Thorough explanation": "Детаљно објашњење",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Klicka här för att",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Klicka här för att välja",
|
||||
"Click here to select a csv file.": "Klicka här för att välja en csv-fil.",
|
||||
"Click here to select a py file.": "Klicka här för att välja en python-fil.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dokumentation",
|
||||
"Documents": "Dokument",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "gör inga externa anslutningar, och dina data förblir säkra på din lokalt värdade server.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Har du inget konto?",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Ange chunköverlappning",
|
||||
"Enter Chunk Size": "Ange chunkstorlek",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Ange Github Raw URL",
|
||||
"Enter Google PSE API Key": "Ange Google PSE API-nyckel",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Språk",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Ljus",
|
||||
"Listening...": "Lyssnar...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Djupare förklaring",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "คลิกที่นี่เพื่อ",
|
||||
"Click here to download user import template file.": "คลิกที่นี่เพื่อดาวน์โหลดไฟล์แม่แบบนำเข้าผู้ใช้",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "คลิกที่นี่เพื่อเลือก",
|
||||
"Click here to select a csv file.": "คลิกที่นี่เพื่อเลือกไฟล์ csv",
|
||||
"Click here to select a py file.": "คลิกที่นี่เพื่อเลือกไฟล์ py",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "เอกสารประกอบ",
|
||||
"Documents": "เอกสาร",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ไม่เชื่อมต่อภายนอกใดๆ และข้อมูลของคุณจะอยู่บนเซิร์ฟเวอร์ที่โฮสต์ในท้องถิ่นของคุณอย่างปลอดภัย",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "ยังไม่มีบัญชี?",
|
||||
"don't install random functions from sources you don't trust.": "อย่าติดตั้งฟังก์ชันแบบสุ่มจากแหล่งที่คุณไม่ไว้วางใจ",
|
||||
"don't install random tools from sources you don't trust.": "อย่าติดตั้งเครื่องมือแบบสุ่มจากแหล่งที่คุณไม่ไว้วางใจ",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "ใส่การทับซ้อนส่วนข้อมูล",
|
||||
"Enter Chunk Size": "ใส่ขนาดส่วนข้อมูล",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "ใส่ URL ดิบของ Github",
|
||||
"Enter Google PSE API Key": "ใส่คีย์ API ของ Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "ภาษา",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "แสง",
|
||||
"Listening...": "กำลังฟัง...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "คำอธิบายอย่างละเอียด",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "จำเป็นต้องมี URL ของเซิร์ฟเวอร์ Tika",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "",
|
||||
"Click here to download user import template file.": "",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a py file.": "",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "",
|
||||
"Documents": "",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "",
|
||||
"don't install random functions from sources you don't trust.": "",
|
||||
"don't install random tools from sources you don't trust.": "",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "",
|
||||
"Enter Chunk Size": "",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "",
|
||||
"Enter Google PSE API Key": "",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "",
|
||||
"Listening...": "",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Şunu yapmak için buraya tıklayın:",
|
||||
"Click here to download user import template file.": "Kullanıcı içe aktarma şablon dosyasını indirmek için buraya tıklayın.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "faster-whisper hakkında daha fazla bilgi edinmek ve mevcut modelleri görmek için buraya tıklayın.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Seçmek için buraya tıklayın",
|
||||
"Click here to select a csv file.": "Bir CSV dosyası seçmek için buraya tıklayın.",
|
||||
"Click here to select a py file.": "Bir py dosyası seçmek için buraya tıklayın.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Dökümantasyon",
|
||||
"Documents": "Belgeler",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "herhangi bir harici bağlantı yapmaz ve verileriniz güvenli bir şekilde yerel olarak barındırılan sunucunuzda kalır.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Hesabınız yok mu?",
|
||||
"don't install random functions from sources you don't trust.": "Tanımadığınız kaynaklardan rastgele fonksiyonlar yüklemeyin.",
|
||||
"don't install random tools from sources you don't trust.": "Tanımadığınız kaynaklardan rastgele araçlar yüklemeyin.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Chunk Örtüşmesini Girin",
|
||||
"Enter Chunk Size": "Chunk Boyutunu Girin",
|
||||
"Enter description": "Açıklama girin",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Github Raw URL'sini girin",
|
||||
"Enter Google PSE API Key": "Google PSE API Anahtarını Girin",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Bilgi başarıyla silindi.",
|
||||
"Knowledge reset successfully.": "Bilgi başarıyla sıfırlandı.",
|
||||
"Knowledge updated successfully": "Bilgi başarıyla güncellendi",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Dil",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "Tüm modelleri dahil etmek için boş bırakın veya belirli modelleri seçin",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Varsayılan promptu kullanmak için boş bırakın veya özel bir prompt girin",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Açık",
|
||||
"Listening...": "Dinleniyor...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Bu, bilgi tabanını sıfırlayacak ve tüm dosyaları senkronize edecek. Devam etmek istiyor musunuz?",
|
||||
"Thorough explanation": "Kapsamlı açıklama",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "Tika Sunucu URL'si gereklidir.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Натисніть тут, щоб",
|
||||
"Click here to download user import template file.": "Натисніть тут, щоб завантажити файл шаблону імпорту користувача.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "Натисніть тут, щоб дізнатися більше про faster-whisper та переглянути доступні моделі.",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Натисніть тут, щоб обрати",
|
||||
"Click here to select a csv file.": "Натисніть тут, щоб обрати csv-файл.",
|
||||
"Click here to select a py file.": "Натисніть тут, щоб обрати py-файл.",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Документація",
|
||||
"Documents": "Документи",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "не встановлює жодних зовнішніх з'єднань, і ваші дані залишаються в безпеці на вашому локальному сервері.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Немає облікового запису?",
|
||||
"don't install random functions from sources you don't trust.": "не встановлюйте випадкові функції з джерел, яким ви не довіряєте.",
|
||||
"don't install random tools from sources you don't trust.": "не встановлюйте випадкові інструменти з джерел, яким ви не довіряєте.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Введіть перекриття фрагменту",
|
||||
"Enter Chunk Size": "Введіть розмір фрагменту",
|
||||
"Enter description": "Введіть опис",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "Введіть ключ API Exa",
|
||||
"Enter Github Raw URL": "Введіть Raw URL-адресу Github",
|
||||
"Enter Google PSE API Key": "Введіть ключ API Google PSE",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "Знання успішно видалено.",
|
||||
"Knowledge reset successfully.": "Знання успішно скинуто.",
|
||||
"Knowledge updated successfully": "Знання успішно оновлено",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "Мітка",
|
||||
"Landing Page Mode": "Режим головної сторінки",
|
||||
"Language": "Мова",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "Залиште порожнім, щоб включити всі моделі з кінцевої точки \"{{URL}}/models\"",
|
||||
"Leave empty to include all models or select specific models": "Залиште порожнім, щоб включити всі моделі, або виберіть конкретні моделі.",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "Залиште порожнім для використання стандартного запиту, або введіть власний запит",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Світла",
|
||||
"Listening...": "Слухаю...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Це скине базу знань і синхронізує всі файли. Ви бажаєте продовжити?",
|
||||
"Thorough explanation": "Детальне пояснення",
|
||||
"Thought for {{DURATION}}": "Думка для {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "Потрібна URL-адреса сервера Tika.",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "یہاں کلک کریں تاکہ",
|
||||
"Click here to download user import template file.": "صارف امپورٹ ٹیمپلیٹ فائل ڈاؤن لوڈ کرنے کے لیے یہاں کلک کریں",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "تیز ویسپر کے بارے میں مزید جاننے اور دستیاب ماڈلز دیکھنے کے لیے یہاں کلک کریں",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "منتخب کرنے کے لیے یہاں کلک کریں",
|
||||
"Click here to select a csv file.": "یہاں کلک کریں تاکہ CSV فائل منتخب کریں",
|
||||
"Click here to select a py file.": "یہاں کلک کریں تاکہ پی وائی فائل منتخب کریں",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "دستاویزات",
|
||||
"Documents": "دستاویزات",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "آپ کا ڈیٹا مقامی طور پر میزبانی شدہ سرور پر محفوظ رہتا ہے اور کوئی بیرونی رابطے نہیں بناتا",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "کیا آپ کے پاس اکاؤنٹ نہیں ہے؟",
|
||||
"don't install random functions from sources you don't trust.": "غیر معتبر ذرائع سے بے ترتیب فنکشنز انسٹال نہ کریں",
|
||||
"don't install random tools from sources you don't trust.": "جو ذرائع آپ پر بھروسہ نہیں کرتے ان سے بے ترتیب ٹولز انسٹال نہ کریں",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "چنک اوورلیپ درج کریں",
|
||||
"Enter Chunk Size": "چنک سائز درج کریں",
|
||||
"Enter description": "تفصیل درج کریں",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "گیٹ ہب را یو آر ایل درج کریں",
|
||||
"Enter Google PSE API Key": "گوگل PSE API کلید درج کریں",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "معلومات کامیابی سے حذف ہو گئیں",
|
||||
"Knowledge reset successfully.": "علم کو کامیابی کے ساتھ دوبارہ ترتیب دیا گیا",
|
||||
"Knowledge updated successfully": "علم کامیابی سے تازہ کر دیا گیا ہے",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "لینڈر صفحہ موڈ",
|
||||
"Language": "زبان",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "تمام ماڈلز کو شامل کرنے کے لئے خالی چھوڑ دیں یا مخصوص ماڈلز منتخب کریں",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "خالی چھوڑیں تاکہ ڈیفالٹ پرامپٹ استعمال ہو، یا ایک حسب ضرورت پرامپٹ درج کریں",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "روشنی",
|
||||
"Listening...": "سن رہے ہیں...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "یہ علمی بنیاد کو دوبارہ ترتیب دے گا اور تمام فائلز کو متوازن کرے گا کیا آپ جاری رکھنا چاہتے ہیں؟",
|
||||
"Thorough explanation": "مکمل وضاحت",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "ٹیکہ",
|
||||
"Tika Server URL required.": "ٹکا سرور یو آر ایل درکار ہے",
|
||||
"Tiktoken": "ٹک ٹوکن",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "Nhấn vào đây để",
|
||||
"Click here to download user import template file.": "Bấm vào đây để tải xuống tệp template của người dùng.",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "Bấm vào đây để chọn",
|
||||
"Click here to select a csv file.": "Nhấn vào đây để chọn tệp csv",
|
||||
"Click here to select a py file.": "Nhấn vào đây để chọn tệp py",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "Tài liệu",
|
||||
"Documents": "Tài liệu",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "không thực hiện bất kỳ kết nối ngoài nào, và dữ liệu của bạn vẫn được lưu trữ an toàn trên máy chủ lưu trữ cục bộ của bạn.",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "Không có tài khoản?",
|
||||
"don't install random functions from sources you don't trust.": "không cài đặt các function từ các nguồn mà bạn không tin tưởng.",
|
||||
"don't install random tools from sources you don't trust.": "không cài đặt các tools từ các nguồn mà bạn không tin tưởng.",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "Nhập Chunk chồng lấn (overlap)",
|
||||
"Enter Chunk Size": "Nhập Kích thước Chunk",
|
||||
"Enter description": "",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "",
|
||||
"Enter Github Raw URL": "Nhập URL cho Github Raw",
|
||||
"Enter Google PSE API Key": "Nhập Google PSE API Key",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "",
|
||||
"Knowledge reset successfully.": "",
|
||||
"Knowledge updated successfully": "",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "",
|
||||
"Landing Page Mode": "",
|
||||
"Language": "Ngôn ngữ",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "",
|
||||
"Leave empty to include all models or select specific models": "",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "Sáng",
|
||||
"Listening...": "Đang nghe...",
|
||||
"Llama.cpp": "",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
|
||||
"Thorough explanation": "Giải thích kỹ lưỡng",
|
||||
"Thought for {{DURATION}}": "",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "",
|
||||
"Tika Server URL required.": "Bắt buộc phải nhập URL cho Tika Server ",
|
||||
"Tiktoken": "",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "点击",
|
||||
"Click here to download user import template file.": "点击此处下载用户导入所需的模板文件。",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "点击此处了解更多关于faster-whisper的信息,并查看可用的模型。",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "点击这里选择",
|
||||
"Click here to select a csv file.": "点击此处选择 csv 文件。",
|
||||
"Click here to select a py file.": "点击此处选择 py 文件。",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "帮助文档",
|
||||
"Documents": "文档",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "不会与外部建立任何连接,您的数据会安全地存储在本地托管的服务器上。",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "没有账号?",
|
||||
"don't install random functions from sources you don't trust.": "切勿随意从不完全可信的来源安装函数。",
|
||||
"don't install random tools from sources you don't trust.": "切勿随意从不完全可信的来源安装工具。",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "输入块重叠 (Chunk Overlap)",
|
||||
"Enter Chunk Size": "输入块大小 (Chunk Size)",
|
||||
"Enter description": "输入简介描述",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "输入 Exa API 密钥",
|
||||
"Enter Github Raw URL": "输入 Github Raw 地址",
|
||||
"Enter Google PSE API Key": "输入 Google PSE API 密钥",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "知识成功删除",
|
||||
"Knowledge reset successfully.": "知识成功重置",
|
||||
"Knowledge updated successfully": "知识成功更新",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "标签",
|
||||
"Landing Page Mode": "默认主页样式",
|
||||
"Language": "语言",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "留空表示包含所有来自 \"{{URL}}/models\" 的模型",
|
||||
"Leave empty to include all models or select specific models": "留空表示包含所有模型或请选择模型",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "留空以使用默认提示词,或输入自定义提示词。",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "浅色",
|
||||
"Listening...": "正在倾听...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
|
@ -163,6 +163,7 @@
|
||||
"Click here to": "點選這裡",
|
||||
"Click here to download user import template file.": "點選這裡下載使用者匯入範本檔案。",
|
||||
"Click here to learn more about faster-whisper and see the available models.": "點選這裡了解更多關於 faster-whisper 的資訊並查看可用的模型。",
|
||||
"Click here to see available models.": "",
|
||||
"Click here to select": "點選這裡選擇",
|
||||
"Click here to select a csv file.": "點選這裡選擇 CSV 檔案。",
|
||||
"Click here to select a py file.": "點選這裡選擇 Python 檔案。",
|
||||
@ -290,6 +291,7 @@
|
||||
"Documentation": "文件",
|
||||
"Documents": "文件",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "不會建立任何外部連線,而且您的資料會安全地儲存在您本機伺服器上。",
|
||||
"Domain Filter List": "",
|
||||
"Don't have an account?": "還沒註冊帳號嗎?",
|
||||
"don't install random functions from sources you don't trust.": "請勿從您無法信任的來源安裝隨機函式。",
|
||||
"don't install random tools from sources you don't trust.": "請勿從您無法信任的來源安裝隨機工具。",
|
||||
@ -349,6 +351,7 @@
|
||||
"Enter Chunk Overlap": "輸入區塊重疊",
|
||||
"Enter Chunk Size": "輸入區塊大小",
|
||||
"Enter description": "輸入描述",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org)": "",
|
||||
"Enter Exa API Key": "輸入 Exa API 金鑰",
|
||||
"Enter Github Raw URL": "輸入 GitHub Raw URL",
|
||||
"Enter Google PSE API Key": "輸入 Google PSE API 金鑰",
|
||||
@ -552,6 +555,8 @@
|
||||
"Knowledge deleted successfully.": "知識刪除成功。",
|
||||
"Knowledge reset successfully.": "知識重設成功。",
|
||||
"Knowledge updated successfully": "知識更新成功",
|
||||
"Kokoro.js (Browser)": "",
|
||||
"Kokoro.js Dtype": "",
|
||||
"Label": "標籤",
|
||||
"Landing Page Mode": "首頁模式",
|
||||
"Language": "語言",
|
||||
@ -566,6 +571,7 @@
|
||||
"Leave empty to include all models from \"{{URL}}/models\" endpoint": "留空以包含來自 \"{{URL}}/models\" 端點的所有模型",
|
||||
"Leave empty to include all models or select specific models": "留空以包含所有模型或選擇特定模型",
|
||||
"Leave empty to use the default prompt, or enter a custom prompt": "留空以使用預設提示詞,或輸入自訂提示詞",
|
||||
"Leave model field empty to use the default model.": "",
|
||||
"Light": "淺色",
|
||||
"Listening...": "正在聆聽...",
|
||||
"Llama.cpp": "Llama.cpp",
|
||||
@ -944,6 +950,7 @@
|
||||
"This will reset the knowledge base and sync all files. Do you wish to continue?": "這將重設知識庫並同步所有檔案。您確定要繼續嗎?",
|
||||
"Thorough explanation": "詳細解釋",
|
||||
"Thought for {{DURATION}}": "思考時間 {{DURATION}}",
|
||||
"Thought for {{DURATION}} seconds": "",
|
||||
"Tika": "Tika",
|
||||
"Tika Server URL required.": "需要 Tika 伺服器 URL。",
|
||||
"Tiktoken": "Tiktoken",
|
||||
|
Loading…
x
Reference in New Issue
Block a user