mirror of
https://git.mirrors.martin98.com/https://github.com/open-webui/open-webui
synced 2025-08-20 01:59:08 +08:00
commit
de162a1f32
@ -78,6 +78,7 @@ from utils.misc import (
|
|||||||
from utils.utils import get_current_user, get_admin_user
|
from utils.utils import get_current_user, get_admin_user
|
||||||
|
|
||||||
from config import (
|
from config import (
|
||||||
|
AppConfig,
|
||||||
ENV,
|
ENV,
|
||||||
SRC_LOG_LEVELS,
|
SRC_LOG_LEVELS,
|
||||||
UPLOAD_DIR,
|
UPLOAD_DIR,
|
||||||
@ -114,7 +115,7 @@ from config import (
|
|||||||
SERPER_API_KEY,
|
SERPER_API_KEY,
|
||||||
RAG_WEB_SEARCH_RESULT_COUNT,
|
RAG_WEB_SEARCH_RESULT_COUNT,
|
||||||
RAG_WEB_SEARCH_CONCURRENT_REQUESTS,
|
RAG_WEB_SEARCH_CONCURRENT_REQUESTS,
|
||||||
AppConfig,
|
RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
)
|
)
|
||||||
|
|
||||||
from constants import ERROR_MESSAGES
|
from constants import ERROR_MESSAGES
|
||||||
@ -139,6 +140,7 @@ app.state.config.CHUNK_OVERLAP = CHUNK_OVERLAP
|
|||||||
|
|
||||||
app.state.config.RAG_EMBEDDING_ENGINE = RAG_EMBEDDING_ENGINE
|
app.state.config.RAG_EMBEDDING_ENGINE = RAG_EMBEDDING_ENGINE
|
||||||
app.state.config.RAG_EMBEDDING_MODEL = RAG_EMBEDDING_MODEL
|
app.state.config.RAG_EMBEDDING_MODEL = RAG_EMBEDDING_MODEL
|
||||||
|
app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE = RAG_EMBEDDING_OPENAI_BATCH_SIZE
|
||||||
app.state.config.RAG_RERANKING_MODEL = RAG_RERANKING_MODEL
|
app.state.config.RAG_RERANKING_MODEL = RAG_RERANKING_MODEL
|
||||||
app.state.config.RAG_TEMPLATE = RAG_TEMPLATE
|
app.state.config.RAG_TEMPLATE = RAG_TEMPLATE
|
||||||
|
|
||||||
@ -212,6 +214,7 @@ app.state.EMBEDDING_FUNCTION = get_embedding_function(
|
|||||||
app.state.sentence_transformer_ef,
|
app.state.sentence_transformer_ef,
|
||||||
app.state.config.OPENAI_API_KEY,
|
app.state.config.OPENAI_API_KEY,
|
||||||
app.state.config.OPENAI_API_BASE_URL,
|
app.state.config.OPENAI_API_BASE_URL,
|
||||||
|
app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
)
|
)
|
||||||
|
|
||||||
origins = ["*"]
|
origins = ["*"]
|
||||||
@ -248,6 +251,7 @@ async def get_status():
|
|||||||
"embedding_engine": app.state.config.RAG_EMBEDDING_ENGINE,
|
"embedding_engine": app.state.config.RAG_EMBEDDING_ENGINE,
|
||||||
"embedding_model": app.state.config.RAG_EMBEDDING_MODEL,
|
"embedding_model": app.state.config.RAG_EMBEDDING_MODEL,
|
||||||
"reranking_model": app.state.config.RAG_RERANKING_MODEL,
|
"reranking_model": app.state.config.RAG_RERANKING_MODEL,
|
||||||
|
"openai_batch_size": app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
@ -260,6 +264,7 @@ async def get_embedding_config(user=Depends(get_admin_user)):
|
|||||||
"openai_config": {
|
"openai_config": {
|
||||||
"url": app.state.config.OPENAI_API_BASE_URL,
|
"url": app.state.config.OPENAI_API_BASE_URL,
|
||||||
"key": app.state.config.OPENAI_API_KEY,
|
"key": app.state.config.OPENAI_API_KEY,
|
||||||
|
"batch_size": app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -275,6 +280,7 @@ async def get_reraanking_config(user=Depends(get_admin_user)):
|
|||||||
class OpenAIConfigForm(BaseModel):
|
class OpenAIConfigForm(BaseModel):
|
||||||
url: str
|
url: str
|
||||||
key: str
|
key: str
|
||||||
|
batch_size: Optional[int] = None
|
||||||
|
|
||||||
|
|
||||||
class EmbeddingModelUpdateForm(BaseModel):
|
class EmbeddingModelUpdateForm(BaseModel):
|
||||||
@ -295,9 +301,14 @@ async def update_embedding_config(
|
|||||||
app.state.config.RAG_EMBEDDING_MODEL = form_data.embedding_model
|
app.state.config.RAG_EMBEDDING_MODEL = form_data.embedding_model
|
||||||
|
|
||||||
if app.state.config.RAG_EMBEDDING_ENGINE in ["ollama", "openai"]:
|
if app.state.config.RAG_EMBEDDING_ENGINE in ["ollama", "openai"]:
|
||||||
if form_data.openai_config != None:
|
if form_data.openai_config is not None:
|
||||||
app.state.config.OPENAI_API_BASE_URL = form_data.openai_config.url
|
app.state.config.OPENAI_API_BASE_URL = form_data.openai_config.url
|
||||||
app.state.config.OPENAI_API_KEY = form_data.openai_config.key
|
app.state.config.OPENAI_API_KEY = form_data.openai_config.key
|
||||||
|
app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE = (
|
||||||
|
form_data.openai_config.batch_size
|
||||||
|
if form_data.openai_config.batch_size
|
||||||
|
else 1
|
||||||
|
)
|
||||||
|
|
||||||
update_embedding_model(app.state.config.RAG_EMBEDDING_MODEL)
|
update_embedding_model(app.state.config.RAG_EMBEDDING_MODEL)
|
||||||
|
|
||||||
@ -307,6 +318,7 @@ async def update_embedding_config(
|
|||||||
app.state.sentence_transformer_ef,
|
app.state.sentence_transformer_ef,
|
||||||
app.state.config.OPENAI_API_KEY,
|
app.state.config.OPENAI_API_KEY,
|
||||||
app.state.config.OPENAI_API_BASE_URL,
|
app.state.config.OPENAI_API_BASE_URL,
|
||||||
|
app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
)
|
)
|
||||||
|
|
||||||
return {
|
return {
|
||||||
@ -316,6 +328,7 @@ async def update_embedding_config(
|
|||||||
"openai_config": {
|
"openai_config": {
|
||||||
"url": app.state.config.OPENAI_API_BASE_URL,
|
"url": app.state.config.OPENAI_API_BASE_URL,
|
||||||
"key": app.state.config.OPENAI_API_KEY,
|
"key": app.state.config.OPENAI_API_KEY,
|
||||||
|
"batch_size": app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
@ -881,6 +894,7 @@ def store_docs_in_vector_db(docs, collection_name, overwrite: bool = False) -> b
|
|||||||
app.state.sentence_transformer_ef,
|
app.state.sentence_transformer_ef,
|
||||||
app.state.config.OPENAI_API_KEY,
|
app.state.config.OPENAI_API_KEY,
|
||||||
app.state.config.OPENAI_API_BASE_URL,
|
app.state.config.OPENAI_API_BASE_URL,
|
||||||
|
app.state.config.RAG_EMBEDDING_OPENAI_BATCH_SIZE,
|
||||||
)
|
)
|
||||||
|
|
||||||
embedding_texts = list(map(lambda x: x.replace("\n", " "), texts))
|
embedding_texts = list(map(lambda x: x.replace("\n", " "), texts))
|
||||||
|
@ -2,7 +2,7 @@ import os
|
|||||||
import logging
|
import logging
|
||||||
import requests
|
import requests
|
||||||
|
|
||||||
from typing import List
|
from typing import List, Union
|
||||||
|
|
||||||
from apps.ollama.main import (
|
from apps.ollama.main import (
|
||||||
generate_ollama_embeddings,
|
generate_ollama_embeddings,
|
||||||
@ -21,17 +21,7 @@ from langchain.retrievers import (
|
|||||||
from typing import Optional
|
from typing import Optional
|
||||||
|
|
||||||
|
|
||||||
from config import (
|
from config import SRC_LOG_LEVELS, CHROMA_CLIENT
|
||||||
SRC_LOG_LEVELS,
|
|
||||||
CHROMA_CLIENT,
|
|
||||||
SEARXNG_QUERY_URL,
|
|
||||||
GOOGLE_PSE_API_KEY,
|
|
||||||
GOOGLE_PSE_ENGINE_ID,
|
|
||||||
BRAVE_SEARCH_API_KEY,
|
|
||||||
SERPSTACK_API_KEY,
|
|
||||||
SERPSTACK_HTTPS,
|
|
||||||
SERPER_API_KEY,
|
|
||||||
)
|
|
||||||
|
|
||||||
log = logging.getLogger(__name__)
|
log = logging.getLogger(__name__)
|
||||||
log.setLevel(SRC_LOG_LEVELS["RAG"])
|
log.setLevel(SRC_LOG_LEVELS["RAG"])
|
||||||
@ -209,6 +199,7 @@ def get_embedding_function(
|
|||||||
embedding_function,
|
embedding_function,
|
||||||
openai_key,
|
openai_key,
|
||||||
openai_url,
|
openai_url,
|
||||||
|
batch_size,
|
||||||
):
|
):
|
||||||
if embedding_engine == "":
|
if embedding_engine == "":
|
||||||
return lambda query: embedding_function.encode(query).tolist()
|
return lambda query: embedding_function.encode(query).tolist()
|
||||||
@ -232,7 +223,13 @@ def get_embedding_function(
|
|||||||
|
|
||||||
def generate_multiple(query, f):
|
def generate_multiple(query, f):
|
||||||
if isinstance(query, list):
|
if isinstance(query, list):
|
||||||
return [f(q) for q in query]
|
if embedding_engine == "openai":
|
||||||
|
embeddings = []
|
||||||
|
for i in range(0, len(query), batch_size):
|
||||||
|
embeddings.extend(f(query[i : i + batch_size]))
|
||||||
|
return embeddings
|
||||||
|
else:
|
||||||
|
return [f(q) for q in query]
|
||||||
else:
|
else:
|
||||||
return f(query)
|
return f(query)
|
||||||
|
|
||||||
@ -413,8 +410,22 @@ def get_model_path(model: str, update_model: bool = False):
|
|||||||
|
|
||||||
|
|
||||||
def generate_openai_embeddings(
|
def generate_openai_embeddings(
|
||||||
model: str, text: str, key: str, url: str = "https://api.openai.com/v1"
|
model: str,
|
||||||
|
text: Union[str, list[str]],
|
||||||
|
key: str,
|
||||||
|
url: str = "https://api.openai.com/v1",
|
||||||
):
|
):
|
||||||
|
if isinstance(text, list):
|
||||||
|
embeddings = generate_openai_batch_embeddings(model, text, key, url)
|
||||||
|
else:
|
||||||
|
embeddings = generate_openai_batch_embeddings(model, [text], key, url)
|
||||||
|
|
||||||
|
return embeddings[0] if isinstance(text, str) else embeddings
|
||||||
|
|
||||||
|
|
||||||
|
def generate_openai_batch_embeddings(
|
||||||
|
model: str, texts: list[str], key: str, url: str = "https://api.openai.com/v1"
|
||||||
|
) -> Optional[list[list[float]]]:
|
||||||
try:
|
try:
|
||||||
r = requests.post(
|
r = requests.post(
|
||||||
f"{url}/embeddings",
|
f"{url}/embeddings",
|
||||||
@ -422,12 +433,12 @@ def generate_openai_embeddings(
|
|||||||
"Content-Type": "application/json",
|
"Content-Type": "application/json",
|
||||||
"Authorization": f"Bearer {key}",
|
"Authorization": f"Bearer {key}",
|
||||||
},
|
},
|
||||||
json={"input": text, "model": model},
|
json={"input": texts, "model": model},
|
||||||
)
|
)
|
||||||
r.raise_for_status()
|
r.raise_for_status()
|
||||||
data = r.json()
|
data = r.json()
|
||||||
if "data" in data:
|
if "data" in data:
|
||||||
return data["data"][0]["embedding"]
|
return [elem["embedding"] for elem in data["data"]]
|
||||||
else:
|
else:
|
||||||
raise "Something went wrong :/"
|
raise "Something went wrong :/"
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
|
@ -683,6 +683,12 @@ RAG_EMBEDDING_MODEL_TRUST_REMOTE_CODE = (
|
|||||||
os.environ.get("RAG_EMBEDDING_MODEL_TRUST_REMOTE_CODE", "").lower() == "true"
|
os.environ.get("RAG_EMBEDDING_MODEL_TRUST_REMOTE_CODE", "").lower() == "true"
|
||||||
)
|
)
|
||||||
|
|
||||||
|
RAG_EMBEDDING_OPENAI_BATCH_SIZE = PersistentConfig(
|
||||||
|
"RAG_EMBEDDING_OPENAI_BATCH_SIZE",
|
||||||
|
"rag.embedding_openai_batch_size",
|
||||||
|
os.environ.get("RAG_EMBEDDING_OPENAI_BATCH_SIZE", 1),
|
||||||
|
)
|
||||||
|
|
||||||
RAG_RERANKING_MODEL = PersistentConfig(
|
RAG_RERANKING_MODEL = PersistentConfig(
|
||||||
"RAG_RERANKING_MODEL",
|
"RAG_RERANKING_MODEL",
|
||||||
"rag.reranking_model",
|
"rag.reranking_model",
|
||||||
|
@ -415,6 +415,7 @@ export const getEmbeddingConfig = async (token: string) => {
|
|||||||
type OpenAIConfigForm = {
|
type OpenAIConfigForm = {
|
||||||
key: string;
|
key: string;
|
||||||
url: string;
|
url: string;
|
||||||
|
batch_size: number;
|
||||||
};
|
};
|
||||||
|
|
||||||
type EmbeddingModelUpdateForm = {
|
type EmbeddingModelUpdateForm = {
|
||||||
|
@ -31,6 +31,7 @@
|
|||||||
|
|
||||||
let OpenAIKey = '';
|
let OpenAIKey = '';
|
||||||
let OpenAIUrl = '';
|
let OpenAIUrl = '';
|
||||||
|
let OpenAIBatchSize = 1;
|
||||||
|
|
||||||
let querySettings = {
|
let querySettings = {
|
||||||
template: '',
|
template: '',
|
||||||
@ -92,7 +93,8 @@
|
|||||||
? {
|
? {
|
||||||
openai_config: {
|
openai_config: {
|
||||||
key: OpenAIKey,
|
key: OpenAIKey,
|
||||||
url: OpenAIUrl
|
url: OpenAIUrl,
|
||||||
|
batch_size: OpenAIBatchSize
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
: {})
|
: {})
|
||||||
@ -159,6 +161,7 @@
|
|||||||
|
|
||||||
OpenAIKey = embeddingConfig.openai_config.key;
|
OpenAIKey = embeddingConfig.openai_config.key;
|
||||||
OpenAIUrl = embeddingConfig.openai_config.url;
|
OpenAIUrl = embeddingConfig.openai_config.url;
|
||||||
|
OpenAIBatchSize = embeddingConfig.openai_config.batch_size ?? 1;
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
@ -282,6 +285,30 @@
|
|||||||
required
|
required
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
<div class="flex mt-0.5 space-x-2">
|
||||||
|
<div class=" self-center text-xs font-medium">{$i18n.t('Embedding Batch Size')}</div>
|
||||||
|
<div class=" flex-1">
|
||||||
|
<input
|
||||||
|
id="steps-range"
|
||||||
|
type="range"
|
||||||
|
min="1"
|
||||||
|
max="2048"
|
||||||
|
step="1"
|
||||||
|
bind:value={OpenAIBatchSize}
|
||||||
|
class="w-full h-2 rounded-lg appearance-none cursor-pointer dark:bg-gray-700"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div class="">
|
||||||
|
<input
|
||||||
|
bind:value={OpenAIBatchSize}
|
||||||
|
type="number"
|
||||||
|
class=" bg-transparent text-center w-14"
|
||||||
|
min="-2"
|
||||||
|
max="16000"
|
||||||
|
step="1"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
{/if}
|
{/if}
|
||||||
|
|
||||||
<div class=" flex w-full justify-between">
|
<div class=" flex w-full justify-between">
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "تعديل الملف",
|
"Edit Doc": "تعديل الملف",
|
||||||
"Edit User": "تعديل المستخدم",
|
"Edit User": "تعديل المستخدم",
|
||||||
"Email": "البريد",
|
"Email": "البريد",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "نموذج التضمين",
|
"Embedding Model": "نموذج التضمين",
|
||||||
"Embedding Model Engine": "تضمين محرك النموذج",
|
"Embedding Model Engine": "تضمين محرك النموذج",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "تم تعيين نموذج التضمين على \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "تم تعيين نموذج التضمين على \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Редактиране на документ",
|
"Edit Doc": "Редактиране на документ",
|
||||||
"Edit User": "Редактиране на потребител",
|
"Edit User": "Редактиране на потребител",
|
||||||
"Email": "Имейл",
|
"Email": "Имейл",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Модел за вграждане",
|
"Embedding Model": "Модел за вграждане",
|
||||||
"Embedding Model Engine": "Модел за вграждане",
|
"Embedding Model Engine": "Модел за вграждане",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Модел за вграждане е настроен на \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Модел за вграждане е настроен на \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "ডকুমেন্ট এডিট করুন",
|
"Edit Doc": "ডকুমেন্ট এডিট করুন",
|
||||||
"Edit User": "ইউজার এডিট করুন",
|
"Edit User": "ইউজার এডিট করুন",
|
||||||
"Email": "ইমেইল",
|
"Email": "ইমেইল",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "ইমেজ ইমেবডিং মডেল",
|
"Embedding Model": "ইমেজ ইমেবডিং মডেল",
|
||||||
"Embedding Model Engine": "ইমেজ ইমেবডিং মডেল ইঞ্জিন",
|
"Embedding Model Engine": "ইমেজ ইমেবডিং মডেল ইঞ্জিন",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "ইমেজ ইমেবডিং মডেল সেট করা হয়েছে - \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "ইমেজ ইমেবডিং মডেল সেট করা হয়েছে - \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Edita Document",
|
"Edit Doc": "Edita Document",
|
||||||
"Edit User": "Edita Usuari",
|
"Edit User": "Edita Usuari",
|
||||||
"Email": "Correu electrònic",
|
"Email": "Correu electrònic",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Model d'embutiment",
|
"Embedding Model": "Model d'embutiment",
|
||||||
"Embedding Model Engine": "Motor de model d'embutiment",
|
"Embedding Model Engine": "Motor de model d'embutiment",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Model d'embutiment configurat a \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Model d'embutiment configurat a \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "I-edit ang dokumento",
|
"Edit Doc": "I-edit ang dokumento",
|
||||||
"Edit User": "I-edit ang tiggamit",
|
"Edit User": "I-edit ang tiggamit",
|
||||||
"Email": "E-mail",
|
"Email": "E-mail",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "",
|
"Embedding Model": "",
|
||||||
"Embedding Model Engine": "",
|
"Embedding Model Engine": "",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "",
|
"Embedding model set to \"{{embedding_model}}\"": "",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Dokument bearbeiten",
|
"Edit Doc": "Dokument bearbeiten",
|
||||||
"Edit User": "Benutzer bearbeiten",
|
"Edit User": "Benutzer bearbeiten",
|
||||||
"Email": "E-Mail",
|
"Email": "E-Mail",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Embedding-Modell",
|
"Embedding Model": "Embedding-Modell",
|
||||||
"Embedding Model Engine": "Embedding-Modell-Engine",
|
"Embedding Model Engine": "Embedding-Modell-Engine",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Embedding-Modell auf \"{{embedding_model}}\" gesetzt",
|
"Embedding model set to \"{{embedding_model}}\"": "Embedding-Modell auf \"{{embedding_model}}\" gesetzt",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Edit Doge",
|
"Edit Doc": "Edit Doge",
|
||||||
"Edit User": "Edit Wowser",
|
"Edit User": "Edit Wowser",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "",
|
"Embedding Model": "",
|
||||||
"Embedding Model Engine": "",
|
"Embedding Model Engine": "",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "",
|
"Embedding model set to \"{{embedding_model}}\"": "",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "",
|
"Edit Doc": "",
|
||||||
"Edit User": "",
|
"Edit User": "",
|
||||||
"Email": "",
|
"Email": "",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "",
|
"Embedding Model": "",
|
||||||
"Embedding Model Engine": "",
|
"Embedding Model Engine": "",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "",
|
"Embedding model set to \"{{embedding_model}}\"": "",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "",
|
"Edit Doc": "",
|
||||||
"Edit User": "",
|
"Edit User": "",
|
||||||
"Email": "",
|
"Email": "",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "",
|
"Embedding Model": "",
|
||||||
"Embedding Model Engine": "",
|
"Embedding Model Engine": "",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "",
|
"Embedding model set to \"{{embedding_model}}\"": "",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Editar Documento",
|
"Edit Doc": "Editar Documento",
|
||||||
"Edit User": "Editar Usuario",
|
"Edit User": "Editar Usuario",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modelo de Embedding",
|
"Embedding Model": "Modelo de Embedding",
|
||||||
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding configurado a \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding configurado a \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "ویرایش سند",
|
"Edit Doc": "ویرایش سند",
|
||||||
"Edit User": "ویرایش کاربر",
|
"Edit User": "ویرایش کاربر",
|
||||||
"Email": "ایمیل",
|
"Email": "ایمیل",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "مدل پیدائش",
|
"Embedding Model": "مدل پیدائش",
|
||||||
"Embedding Model Engine": "محرک مدل پیدائش",
|
"Embedding Model Engine": "محرک مدل پیدائش",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "مدل پیدائش را به \"{{embedding_model}}\" تنظیم کنید",
|
"Embedding model set to \"{{embedding_model}}\"": "مدل پیدائش را به \"{{embedding_model}}\" تنظیم کنید",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Muokkaa asiakirjaa",
|
"Edit Doc": "Muokkaa asiakirjaa",
|
||||||
"Edit User": "Muokkaa käyttäjää",
|
"Edit User": "Muokkaa käyttäjää",
|
||||||
"Email": "Sähköposti",
|
"Email": "Sähköposti",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Upotusmalli",
|
"Embedding Model": "Upotusmalli",
|
||||||
"Embedding Model Engine": "Upotusmallin moottori",
|
"Embedding Model Engine": "Upotusmallin moottori",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "\"{{embedding_model}}\" valittu upotusmalliksi",
|
"Embedding model set to \"{{embedding_model}}\"": "\"{{embedding_model}}\" valittu upotusmalliksi",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Éditer le document",
|
"Edit Doc": "Éditer le document",
|
||||||
"Edit User": "Éditer l'utilisateur",
|
"Edit User": "Éditer l'utilisateur",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modèle d'embedding",
|
"Embedding Model": "Modèle d'embedding",
|
||||||
"Embedding Model Engine": "Moteur du modèle d'embedding",
|
"Embedding Model Engine": "Moteur du modèle d'embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modèle d'embedding défini sur \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modèle d'embedding défini sur \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Éditer le document",
|
"Edit Doc": "Éditer le document",
|
||||||
"Edit User": "Éditer l'utilisateur",
|
"Edit User": "Éditer l'utilisateur",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modèle pour l'Embedding",
|
"Embedding Model": "Modèle pour l'Embedding",
|
||||||
"Embedding Model Engine": "Moteur du Modèle d'Embedding",
|
"Embedding Model Engine": "Moteur du Modèle d'Embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modèle d'embedding défini sur \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modèle d'embedding défini sur \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "ערוך מסמך",
|
"Edit Doc": "ערוך מסמך",
|
||||||
"Edit User": "ערוך משתמש",
|
"Edit User": "ערוך משתמש",
|
||||||
"Email": "דוא\"ל",
|
"Email": "דוא\"ל",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "מודל הטמעה",
|
"Embedding Model": "מודל הטמעה",
|
||||||
"Embedding Model Engine": "מנוע מודל הטמעה",
|
"Embedding Model Engine": "מנוע מודל הטמעה",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "מודל ההטמעה הוגדר ל-\"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "מודל ההטמעה הוגדר ל-\"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "दस्तावेज़ संपादित करें",
|
"Edit Doc": "दस्तावेज़ संपादित करें",
|
||||||
"Edit User": "यूजर को संपादित करो",
|
"Edit User": "यूजर को संपादित करो",
|
||||||
"Email": "ईमेल",
|
"Email": "ईमेल",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "मॉडेल अनुकूलन",
|
"Embedding Model": "मॉडेल अनुकूलन",
|
||||||
"Embedding Model Engine": "एंबेडिंग मॉडल इंजन",
|
"Embedding Model Engine": "एंबेडिंग मॉडल इंजन",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "एम्बेडिंग मॉडल को \"{{embedding_model}}\" पर सेट किया गया",
|
"Embedding model set to \"{{embedding_model}}\"": "एम्बेडिंग मॉडल को \"{{embedding_model}}\" पर सेट किया गया",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Uredi dokument",
|
"Edit Doc": "Uredi dokument",
|
||||||
"Edit User": "Uredi korisnika",
|
"Edit User": "Uredi korisnika",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Embedding model",
|
"Embedding Model": "Embedding model",
|
||||||
"Embedding Model Engine": "Embedding model pogon",
|
"Embedding Model Engine": "Embedding model pogon",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Embedding model postavljen na \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Embedding model postavljen na \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Modifica documento",
|
"Edit Doc": "Modifica documento",
|
||||||
"Edit User": "Modifica utente",
|
"Edit User": "Modifica utente",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modello di embedding",
|
"Embedding Model": "Modello di embedding",
|
||||||
"Embedding Model Engine": "Motore del modello di embedding",
|
"Embedding Model Engine": "Motore del modello di embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modello di embedding impostato su \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modello di embedding impostato su \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "ドキュメントを編集",
|
"Edit Doc": "ドキュメントを編集",
|
||||||
"Edit User": "ユーザーを編集",
|
"Edit User": "ユーザーを編集",
|
||||||
"Email": "メールアドレス",
|
"Email": "メールアドレス",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "埋め込みモデル",
|
"Embedding Model": "埋め込みモデル",
|
||||||
"Embedding Model Engine": "埋め込みモデルエンジン",
|
"Embedding Model Engine": "埋め込みモデルエンジン",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "埋め込みモデルを\"{{embedding_model}}\"に設定しました",
|
"Embedding model set to \"{{embedding_model}}\"": "埋め込みモデルを\"{{embedding_model}}\"に設定しました",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "დოკუმენტის ედიტირება",
|
"Edit Doc": "დოკუმენტის ედიტირება",
|
||||||
"Edit User": "მომხმარებლის ედიტირება",
|
"Edit User": "მომხმარებლის ედიტირება",
|
||||||
"Email": "ელ-ფოსტა",
|
"Email": "ელ-ფოსტა",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "ჩასმის ძირითადი პროგრამა",
|
"Embedding Model": "ჩასმის ძირითადი პროგრამა",
|
||||||
"Embedding Model Engine": "ჩასმის ძირითადი პროგრამა",
|
"Embedding Model Engine": "ჩასმის ძირითადი პროგრამა",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "ჩასმის ძირითადი პროგრამა ჩართულია \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "ჩასმის ძირითადი პროგრამა ჩართულია \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "문서 편집",
|
"Edit Doc": "문서 편집",
|
||||||
"Edit User": "사용자 편집",
|
"Edit User": "사용자 편집",
|
||||||
"Email": "이메일",
|
"Email": "이메일",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "임베딩 모델",
|
"Embedding Model": "임베딩 모델",
|
||||||
"Embedding Model Engine": "임베딩 모델 엔진",
|
"Embedding Model Engine": "임베딩 모델 엔진",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "임베딩 모델을 \"{{embedding_model}}\"로 설정됨",
|
"Embedding model set to \"{{embedding_model}}\"": "임베딩 모델을 \"{{embedding_model}}\"로 설정됨",
|
||||||
|
@ -3,21 +3,25 @@
|
|||||||
"(Beta)": "(Beta)",
|
"(Beta)": "(Beta)",
|
||||||
"(e.g. `sh webui.sh --api`)": "(pvz. `sh webui.sh --api`)",
|
"(e.g. `sh webui.sh --api`)": "(pvz. `sh webui.sh --api`)",
|
||||||
"(latest)": "(naujausias)",
|
"(latest)": "(naujausias)",
|
||||||
|
"{{ models }}": "",
|
||||||
|
"{{ owner }}: You cannot delete a base model": "",
|
||||||
"{{modelName}} is thinking...": "{{modelName}} mąsto...",
|
"{{modelName}} is thinking...": "{{modelName}} mąsto...",
|
||||||
"{{user}}'s Chats": "{{user}} susirašinėjimai",
|
"{{user}}'s Chats": "{{user}} susirašinėjimai",
|
||||||
"{{webUIName}} Backend Required": "{{webUIName}} būtinas serveris",
|
"{{webUIName}} Backend Required": "{{webUIName}} būtinas serveris",
|
||||||
|
"A task model is used when performing tasks such as generating titles for chats and web search queries": "",
|
||||||
"a user": "naudotojas",
|
"a user": "naudotojas",
|
||||||
"About": "Apie",
|
"About": "Apie",
|
||||||
"Account": "Paskyra",
|
"Account": "Paskyra",
|
||||||
"Accurate information": "Tiksli informacija",
|
"Accurate information": "Tiksli informacija",
|
||||||
"Add a model": "Pridėti modelį",
|
"Add": "",
|
||||||
"Add a model tag name": "Pridėti žymą modeliui",
|
"Add a model id": "",
|
||||||
"Add a short description about what this modelfile does": "Pridėti trumpą šio dokumento aprašymą",
|
"Add a short description about what this model does": "",
|
||||||
"Add a short title for this prompt": "Pridėti trumpą šios užklausos pavadinimą",
|
"Add a short title for this prompt": "Pridėti trumpą šios užklausos pavadinimą",
|
||||||
"Add a tag": "Pridėti žymą",
|
"Add a tag": "Pridėti žymą",
|
||||||
"Add custom prompt": "Pridėti užklausos šabloną",
|
"Add custom prompt": "Pridėti užklausos šabloną",
|
||||||
"Add Docs": "Pridėti dokumentų",
|
"Add Docs": "Pridėti dokumentų",
|
||||||
"Add Files": "Pridėti failus",
|
"Add Files": "Pridėti failus",
|
||||||
|
"Add Memory": "",
|
||||||
"Add message": "Pridėti žinutę",
|
"Add message": "Pridėti žinutę",
|
||||||
"Add Model": "Pridėti modelį",
|
"Add Model": "Pridėti modelį",
|
||||||
"Add Tags": "Pridėti žymas",
|
"Add Tags": "Pridėti žymas",
|
||||||
@ -27,11 +31,13 @@
|
|||||||
"Admin Panel": "Administratorių panelė",
|
"Admin Panel": "Administratorių panelė",
|
||||||
"Admin Settings": "Administratorių nustatymai",
|
"Admin Settings": "Administratorių nustatymai",
|
||||||
"Advanced Parameters": "Gilieji nustatymai",
|
"Advanced Parameters": "Gilieji nustatymai",
|
||||||
|
"Advanced Params": "",
|
||||||
"all": "visi",
|
"all": "visi",
|
||||||
"All Documents": "Visi dokumentai",
|
"All Documents": "Visi dokumentai",
|
||||||
"All Users": "Visi naudotojai",
|
"All Users": "Visi naudotojai",
|
||||||
"Allow": "Leisti",
|
"Allow": "Leisti",
|
||||||
"Allow Chat Deletion": "Leisti pokalbių ištrynimą",
|
"Allow Chat Deletion": "Leisti pokalbių ištrynimą",
|
||||||
|
"Allow non-local voices": "",
|
||||||
"alphanumeric characters and hyphens": "skaičiai, raidės ir brūkšneliai",
|
"alphanumeric characters and hyphens": "skaičiai, raidės ir brūkšneliai",
|
||||||
"Already have an account?": "Ar jau turite paskyrą?",
|
"Already have an account?": "Ar jau turite paskyrą?",
|
||||||
"an assistant": "assistentas",
|
"an assistant": "assistentas",
|
||||||
@ -41,9 +47,9 @@
|
|||||||
"API Key": "API raktas",
|
"API Key": "API raktas",
|
||||||
"API Key created.": "API raktas sukurtas",
|
"API Key created.": "API raktas sukurtas",
|
||||||
"API keys": "API raktai",
|
"API keys": "API raktai",
|
||||||
"API RPM": "RPM API",
|
|
||||||
"April": "Balandis",
|
"April": "Balandis",
|
||||||
"Archive": "Archyvai",
|
"Archive": "Archyvai",
|
||||||
|
"Archive All Chats": "",
|
||||||
"Archived Chats": "Archyvuoti pokalbiai",
|
"Archived Chats": "Archyvuoti pokalbiai",
|
||||||
"are allowed - Activate this command by typing": "leistina - aktyvuokite komandą rašydami",
|
"are allowed - Activate this command by typing": "leistina - aktyvuokite komandą rašydami",
|
||||||
"Are you sure?": "Are esate tikri?",
|
"Are you sure?": "Are esate tikri?",
|
||||||
@ -58,14 +64,18 @@
|
|||||||
"available!": "prieinama!",
|
"available!": "prieinama!",
|
||||||
"Back": "Atgal",
|
"Back": "Atgal",
|
||||||
"Bad Response": "Neteisingas atsakymas",
|
"Bad Response": "Neteisingas atsakymas",
|
||||||
|
"Banners": "",
|
||||||
|
"Base Model (From)": "",
|
||||||
"before": "prieš",
|
"before": "prieš",
|
||||||
"Being lazy": "Būvimas tingiu",
|
"Being lazy": "Būvimas tingiu",
|
||||||
"Builder Mode": "Statytojo rėžimas",
|
"Brave Search API Key": "",
|
||||||
"Bypass SSL verification for Websites": "Išvengti SSL patikros puslapiams",
|
"Bypass SSL verification for Websites": "Išvengti SSL patikros puslapiams",
|
||||||
"Cancel": "Atšaukti",
|
"Cancel": "Atšaukti",
|
||||||
"Categories": "Kategorijos",
|
"Capabilities": "",
|
||||||
"Change Password": "Keisti slaptažodį",
|
"Change Password": "Keisti slaptažodį",
|
||||||
"Chat": "Pokalbis",
|
"Chat": "Pokalbis",
|
||||||
|
"Chat Bubble UI": "",
|
||||||
|
"Chat direction": "",
|
||||||
"Chat History": "Pokalbių istorija",
|
"Chat History": "Pokalbių istorija",
|
||||||
"Chat History is off for this browser.": "Šioje naršyklėje pokalbių istorija išjungta.",
|
"Chat History is off for this browser.": "Šioje naršyklėje pokalbių istorija išjungta.",
|
||||||
"Chats": "Pokalbiai",
|
"Chats": "Pokalbiai",
|
||||||
@ -79,18 +89,19 @@
|
|||||||
"Citation": "Citata",
|
"Citation": "Citata",
|
||||||
"Click here for help.": "Paspauskite čia dėl pagalbos.",
|
"Click here for help.": "Paspauskite čia dėl pagalbos.",
|
||||||
"Click here to": "Paspauskite čia, kad:",
|
"Click here to": "Paspauskite čia, kad:",
|
||||||
"Click here to check other modelfiles.": "Paspauskite čia norėdami ieškoti modelių failų.",
|
|
||||||
"Click here to select": "Spauskite čia norėdami pasirinkti",
|
"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 csv file.": "Spauskite čia tam, kad pasirinkti csv failą",
|
||||||
"Click here to select documents.": "Spauskite čia norėdami pasirinkti dokumentus.",
|
"Click here to select documents.": "Spauskite čia norėdami pasirinkti dokumentus.",
|
||||||
"click here.": "paspauskite čia.",
|
"click here.": "paspauskite čia.",
|
||||||
"Click on the user role button to change a user's role.": "Paspauskite ant naudotojo rolės mygtuko tam, kad pakeisti naudotojo rolę.",
|
"Click on the user role button to change a user's role.": "Paspauskite ant naudotojo rolės mygtuko tam, kad pakeisti naudotojo rolę.",
|
||||||
|
"Clone": "",
|
||||||
"Close": "Uždaryti",
|
"Close": "Uždaryti",
|
||||||
"Collection": "Kolekcija",
|
"Collection": "Kolekcija",
|
||||||
"ComfyUI": "ComfyUI",
|
"ComfyUI": "ComfyUI",
|
||||||
"ComfyUI Base URL": "ComfyUI bazės nuoroda",
|
"ComfyUI Base URL": "ComfyUI bazės nuoroda",
|
||||||
"ComfyUI Base URL is required.": "ComfyUI bazės nuoroda privaloma",
|
"ComfyUI Base URL is required.": "ComfyUI bazės nuoroda privaloma",
|
||||||
"Command": "Command",
|
"Command": "Command",
|
||||||
|
"Concurrent Requests": "",
|
||||||
"Confirm Password": "Patvirtinkite slaptažodį",
|
"Confirm Password": "Patvirtinkite slaptažodį",
|
||||||
"Connections": "Ryšiai",
|
"Connections": "Ryšiai",
|
||||||
"Content": "Turinys",
|
"Content": "Turinys",
|
||||||
@ -104,7 +115,7 @@
|
|||||||
"Copy Link": "Kopijuoti nuorodą",
|
"Copy Link": "Kopijuoti nuorodą",
|
||||||
"Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !",
|
"Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !",
|
||||||
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "Créez une phrase concise de 3-5 mots comme en-tête pour la requête suivante, en respectant strictement la limite de 3-5 mots et en évitant l'utilisation du mot 'titre' :",
|
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "Créez une phrase concise de 3-5 mots comme en-tête pour la requête suivante, en respectant strictement la limite de 3-5 mots et en évitant l'utilisation du mot 'titre' :",
|
||||||
"Create a modelfile": "Créer un fichier de modèle",
|
"Create a model": "",
|
||||||
"Create Account": "Créer un compte",
|
"Create Account": "Créer un compte",
|
||||||
"Create new key": "Sukurti naują raktą",
|
"Create new key": "Sukurti naują raktą",
|
||||||
"Create new secret key": "Sukurti naują slaptą raktą",
|
"Create new secret key": "Sukurti naują slaptą raktą",
|
||||||
@ -113,33 +124,32 @@
|
|||||||
"Current Model": "Dabartinis modelis",
|
"Current Model": "Dabartinis modelis",
|
||||||
"Current Password": "Esamas slaptažodis",
|
"Current Password": "Esamas slaptažodis",
|
||||||
"Custom": "Personalizuota",
|
"Custom": "Personalizuota",
|
||||||
"Customize Ollama models for a specific purpose": "Personalizuoti Ollama modelius",
|
"Customize models for a specific purpose": "",
|
||||||
"Dark": "Tamsus",
|
"Dark": "Tamsus",
|
||||||
"Dashboard": "Skydelis",
|
|
||||||
"Database": "Duomenų bazė",
|
"Database": "Duomenų bazė",
|
||||||
"DD/MM/YYYY HH:mm": "DD/MM/YYYY HH:mm",
|
|
||||||
"December": "Gruodis",
|
"December": "Gruodis",
|
||||||
"Default": "Numatytasis",
|
"Default": "Numatytasis",
|
||||||
"Default (Automatic1111)": "Numatytasis (Automatic1111)",
|
"Default (Automatic1111)": "Numatytasis (Automatic1111)",
|
||||||
"Default (SentenceTransformers)": "Numatytasis (SentenceTransformers)",
|
"Default (SentenceTransformers)": "Numatytasis (SentenceTransformers)",
|
||||||
"Default (Web API)": "Numatytasis (API Web)",
|
"Default (Web API)": "Numatytasis (API Web)",
|
||||||
|
"Default Model": "",
|
||||||
"Default model updated": "Numatytasis modelis atnaujintas",
|
"Default model updated": "Numatytasis modelis atnaujintas",
|
||||||
"Default Prompt Suggestions": "Numatytieji užklausų pasiūlymai",
|
"Default Prompt Suggestions": "Numatytieji užklausų pasiūlymai",
|
||||||
"Default User Role": "Numatytoji naudotojo rolė",
|
"Default User Role": "Numatytoji naudotojo rolė",
|
||||||
"delete": "ištrinti",
|
"delete": "ištrinti",
|
||||||
"Delete": "ištrinti",
|
"Delete": "ištrinti",
|
||||||
"Delete a model": "Ištrinti modėlį",
|
"Delete a model": "Ištrinti modėlį",
|
||||||
|
"Delete All Chats": "",
|
||||||
"Delete chat": "Išrinti pokalbį",
|
"Delete chat": "Išrinti pokalbį",
|
||||||
"Delete Chat": "Ištrinti pokalbį",
|
"Delete Chat": "Ištrinti pokalbį",
|
||||||
"Delete Chats": "Ištrinti pokalbį",
|
|
||||||
"delete this link": "Ištrinti nuorodą",
|
"delete this link": "Ištrinti nuorodą",
|
||||||
"Delete User": "Ištrinti naudotoją",
|
"Delete User": "Ištrinti naudotoją",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ištrinta",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ištrinta",
|
||||||
"Deleted {{tagName}}": "{{tagName}} ištrinta",
|
"Deleted {{name}}": "",
|
||||||
"Description": "Aprašymas",
|
"Description": "Aprašymas",
|
||||||
"Didn't fully follow instructions": "Pilnai nesekė instrukcijų",
|
"Didn't fully follow instructions": "Pilnai nesekė instrukcijų",
|
||||||
"Disabled": "Neaktyvuota",
|
"Disabled": "Neaktyvuota",
|
||||||
"Discover a modelfile": "Atrasti modelio failą",
|
"Discover a model": "",
|
||||||
"Discover a prompt": "Atrasti užklausas",
|
"Discover a prompt": "Atrasti užklausas",
|
||||||
"Discover, download, and explore custom prompts": "Atrasti ir parsisiųsti užklausas",
|
"Discover, download, and explore custom prompts": "Atrasti ir parsisiųsti užklausas",
|
||||||
"Discover, download, and explore model presets": "Atrasti ir parsisiųsti modelių konfigūracija",
|
"Discover, download, and explore model presets": "Atrasti ir parsisiųsti modelių konfigūracija",
|
||||||
@ -160,26 +170,32 @@
|
|||||||
"Edit Doc": "Redaguoti dokumentą",
|
"Edit Doc": "Redaguoti dokumentą",
|
||||||
"Edit User": "Redaguoti naudotoją",
|
"Edit User": "Redaguoti naudotoją",
|
||||||
"Email": "El. paštas",
|
"Email": "El. paštas",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Embedding modelis",
|
"Embedding Model": "Embedding modelis",
|
||||||
"Embedding Model Engine": "Embedding modelio variklis",
|
"Embedding Model Engine": "Embedding modelio variklis",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Embedding modelis nustatytas kaip\"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Embedding modelis nustatytas kaip\"{{embedding_model}}\"",
|
||||||
"Enable Chat History": "Aktyvuoti pokalbių istoriją",
|
"Enable Chat History": "Aktyvuoti pokalbių istoriją",
|
||||||
|
"Enable Community Sharing": "",
|
||||||
"Enable New Sign Ups": "Aktyvuoti naujas registracijas",
|
"Enable New Sign Ups": "Aktyvuoti naujas registracijas",
|
||||||
|
"Enable Web Search": "",
|
||||||
"Enabled": "Aktyvuota",
|
"Enabled": "Aktyvuota",
|
||||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Įsitikinkite, kad CSV failas turi 4 kolonas šiuo eiliškumu: Name, Email, Password, Role.",
|
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Įsitikinkite, kad CSV failas turi 4 kolonas šiuo eiliškumu: Name, Email, Password, Role.",
|
||||||
"Enter {{role}} message here": "Įveskite {{role}} žinutę čia",
|
"Enter {{role}} message here": "Įveskite {{role}} žinutę čia",
|
||||||
|
"Enter a detail about yourself for your LLMs to recall": "",
|
||||||
|
"Enter Brave Search API Key": "",
|
||||||
"Enter Chunk Overlap": "Įveskite blokų persidengimą",
|
"Enter Chunk Overlap": "Įveskite blokų persidengimą",
|
||||||
"Enter Chunk Size": "Įveskite blokų dydį",
|
"Enter Chunk Size": "Įveskite blokų dydį",
|
||||||
|
"Enter Github Raw URL": "",
|
||||||
|
"Enter Google PSE API Key": "",
|
||||||
|
"Enter Google PSE Engine Id": "",
|
||||||
"Enter Image Size (e.g. 512x512)": "Įveskite paveiksliuko dydį (pvz. 512x512)",
|
"Enter Image Size (e.g. 512x512)": "Įveskite paveiksliuko dydį (pvz. 512x512)",
|
||||||
"Enter language codes": "Įveskite kalbos kodus",
|
"Enter language codes": "Įveskite kalbos kodus",
|
||||||
"Enter LiteLLM API Base URL (litellm_params.api_base)": "Lite LLM API nuoroda (litellm_params.api_base)",
|
|
||||||
"Enter LiteLLM API Key (litellm_params.api_key)": "Lite LLM API raktas (litellm_params.api_key)",
|
|
||||||
"Enter LiteLLM API RPM (litellm_params.rpm)": "Lite LLM API RPM (litellm_params.rpm)",
|
|
||||||
"Enter LiteLLM Model (litellm_params.model)": "LiteLLM modelis (litellm_params.model)",
|
|
||||||
"Enter Max Tokens (litellm_params.max_tokens)": "Įveskite maksimalų žetonų skaičių (litellm_params.max_tokens)",
|
|
||||||
"Enter model tag (e.g. {{modelTag}})": "Įveskite modelio žymą (pvz. {{modelTag}})",
|
"Enter model tag (e.g. {{modelTag}})": "Įveskite modelio žymą (pvz. {{modelTag}})",
|
||||||
"Enter Number of Steps (e.g. 50)": "Įveskite žingsnių kiekį (pvz. 50)",
|
"Enter Number of Steps (e.g. 50)": "Įveskite žingsnių kiekį (pvz. 50)",
|
||||||
"Enter Score": "Įveskite rezultatą",
|
"Enter Score": "Įveskite rezultatą",
|
||||||
|
"Enter Searxng Query URL": "",
|
||||||
|
"Enter Serper API Key": "",
|
||||||
|
"Enter Serpstack API Key": "",
|
||||||
"Enter stop sequence": "Įveskite pabaigos sekvenciją",
|
"Enter stop sequence": "Įveskite pabaigos sekvenciją",
|
||||||
"Enter Top K": "Įveskite Top K",
|
"Enter Top K": "Įveskite Top K",
|
||||||
"Enter URL (e.g. http://127.0.0.1:7860/)": "Įveskite nuorodą (pvz. http://127.0.0.1:7860/)",
|
"Enter URL (e.g. http://127.0.0.1:7860/)": "Įveskite nuorodą (pvz. http://127.0.0.1:7860/)",
|
||||||
@ -188,11 +204,14 @@
|
|||||||
"Enter Your Full Name": "Įveskite vardą bei pavardę",
|
"Enter Your Full Name": "Įveskite vardą bei pavardę",
|
||||||
"Enter Your Password": "Įveskite slaptažodį",
|
"Enter Your Password": "Įveskite slaptažodį",
|
||||||
"Enter Your Role": "Įveskite savo rolę",
|
"Enter Your Role": "Įveskite savo rolę",
|
||||||
|
"Error": "",
|
||||||
"Experimental": "Eksperimentinis",
|
"Experimental": "Eksperimentinis",
|
||||||
|
"Export": "",
|
||||||
"Export All Chats (All Users)": "Eksportuoti visų naudotojų visus pokalbius",
|
"Export All Chats (All Users)": "Eksportuoti visų naudotojų visus pokalbius",
|
||||||
|
"Export chat (.json)": "",
|
||||||
"Export Chats": "Eksportuoti pokalbius",
|
"Export Chats": "Eksportuoti pokalbius",
|
||||||
"Export Documents Mapping": "Eksportuoti dokumentų žemėlapį",
|
"Export Documents Mapping": "Eksportuoti dokumentų žemėlapį",
|
||||||
"Export Modelfiles": "Eksportuoti modelių failus",
|
"Export Models": "",
|
||||||
"Export Prompts": "Eksportuoti užklausas",
|
"Export Prompts": "Eksportuoti užklausas",
|
||||||
"Failed to create API Key.": "Nepavyko sukurti API rakto",
|
"Failed to create API Key.": "Nepavyko sukurti API rakto",
|
||||||
"Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės",
|
"Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės",
|
||||||
@ -205,17 +224,20 @@
|
|||||||
"Focus chat input": "Fokusuoti žinutės įvestį",
|
"Focus chat input": "Fokusuoti žinutės įvestį",
|
||||||
"Followed instructions perfectly": "Tobulai sekė instrukcijas",
|
"Followed instructions perfectly": "Tobulai sekė instrukcijas",
|
||||||
"Format your variables using square brackets like this:": "Formatuokite kintamuosius su kvadratiniais skliausteliais:",
|
"Format your variables using square brackets like this:": "Formatuokite kintamuosius su kvadratiniais skliausteliais:",
|
||||||
"From (Base Model)": "Iš (bazinis modelis)",
|
"Frequency Penalty": "",
|
||||||
"Full Screen Mode": "Pilno ekrano rėžimas",
|
"Full Screen Mode": "Pilno ekrano rėžimas",
|
||||||
"General": "Bendri",
|
"General": "Bendri",
|
||||||
"General Settings": "Bendri nustatymai",
|
"General Settings": "Bendri nustatymai",
|
||||||
|
"Generating search query": "",
|
||||||
"Generation Info": "Generavimo informacija",
|
"Generation Info": "Generavimo informacija",
|
||||||
"Good Response": "Geras atsakymas",
|
"Good Response": "Geras atsakymas",
|
||||||
|
"Google PSE API Key": "",
|
||||||
|
"Google PSE Engine Id": "",
|
||||||
|
"h:mm a": "",
|
||||||
"has no conversations.": "neturi pokalbių",
|
"has no conversations.": "neturi pokalbių",
|
||||||
"Hello, {{name}}": "Sveiki, {{name}}",
|
"Hello, {{name}}": "Sveiki, {{name}}",
|
||||||
"Help": "Pagalba",
|
"Help": "Pagalba",
|
||||||
"Hide": "Paslėpti",
|
"Hide": "Paslėpti",
|
||||||
"Hide Additional Params": "Pridėti papildomus parametrus",
|
|
||||||
"How can I help you today?": "Kuo galėčiau Jums padėti ?",
|
"How can I help you today?": "Kuo galėčiau Jums padėti ?",
|
||||||
"Hybrid Search": "Hibridinė paieška",
|
"Hybrid Search": "Hibridinė paieška",
|
||||||
"Image Generation (Experimental)": "Vaizdų generavimas (eksperimentinis)",
|
"Image Generation (Experimental)": "Vaizdų generavimas (eksperimentinis)",
|
||||||
@ -224,15 +246,18 @@
|
|||||||
"Images": "Vaizdai",
|
"Images": "Vaizdai",
|
||||||
"Import Chats": "Importuoti pokalbius",
|
"Import Chats": "Importuoti pokalbius",
|
||||||
"Import Documents Mapping": "Importuoti dokumentų žemėlapį",
|
"Import Documents Mapping": "Importuoti dokumentų žemėlapį",
|
||||||
"Import Modelfiles": "Importuoti modelio failus",
|
"Import Models": "",
|
||||||
"Import Prompts": "Importuoti užklausas",
|
"Import Prompts": "Importuoti užklausas",
|
||||||
"Include `--api` flag when running stable-diffusion-webui": "Pridėti `--api` kai vykdomas stable-diffusion-webui",
|
"Include `--api` flag when running stable-diffusion-webui": "Pridėti `--api` kai vykdomas stable-diffusion-webui",
|
||||||
|
"Info": "",
|
||||||
"Input commands": "Įvesties komandos",
|
"Input commands": "Įvesties komandos",
|
||||||
|
"Install from Github URL": "",
|
||||||
"Interface": "Sąsaja",
|
"Interface": "Sąsaja",
|
||||||
"Invalid Tag": "Neteisinga žyma",
|
"Invalid Tag": "Neteisinga žyma",
|
||||||
"January": "Sausis",
|
"January": "Sausis",
|
||||||
"join our Discord for help.": "prisijunkite prie mūsų Discord.",
|
"join our Discord for help.": "prisijunkite prie mūsų Discord.",
|
||||||
"JSON": "JSON",
|
"JSON": "JSON",
|
||||||
|
"JSON Preview": "",
|
||||||
"July": "liepa",
|
"July": "liepa",
|
||||||
"June": "birželis",
|
"June": "birželis",
|
||||||
"JWT Expiration": "JWT išėjimas iš galiojimo",
|
"JWT Expiration": "JWT išėjimas iš galiojimo",
|
||||||
@ -244,16 +269,19 @@
|
|||||||
"Light": "Šviesus",
|
"Light": "Šviesus",
|
||||||
"Listening...": "Klauso...",
|
"Listening...": "Klauso...",
|
||||||
"LLMs can make mistakes. Verify important information.": "Dideli kalbos modeliai gali klysti. Patikrinkite atsakymų teisingumą.",
|
"LLMs can make mistakes. Verify important information.": "Dideli kalbos modeliai gali klysti. Patikrinkite atsakymų teisingumą.",
|
||||||
|
"LTR": "",
|
||||||
"Made by OpenWebUI Community": "Sukurta OpenWebUI bendruomenės",
|
"Made by OpenWebUI Community": "Sukurta OpenWebUI bendruomenės",
|
||||||
"Make sure to enclose them with": "Užtikrinktie, kad įtraukiate viduje:",
|
"Make sure to enclose them with": "Užtikrinktie, kad įtraukiate viduje:",
|
||||||
"Manage LiteLLM Models": "Tvarkyti LiteLLM modelus",
|
|
||||||
"Manage Models": "Tvarkyti modelius",
|
"Manage Models": "Tvarkyti modelius",
|
||||||
"Manage Ollama Models": "Tvarkyti Ollama modelius",
|
"Manage Ollama Models": "Tvarkyti Ollama modelius",
|
||||||
|
"Manage Pipelines": "",
|
||||||
"March": "Kovas",
|
"March": "Kovas",
|
||||||
"Max Tokens": "Maksimalūs žetonai",
|
"Max Tokens (num_predict)": "",
|
||||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Daugiausiai trys modeliai gali būti parsisiunčiami vienu metu.",
|
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Daugiausiai trys modeliai gali būti parsisiunčiami vienu metu.",
|
||||||
"May": "gegužė",
|
"May": "gegužė",
|
||||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Žinutės, kurias siunčia po pasidalinimo nebus matomos nuorodos turėtojams.",
|
"Memories accessible by LLMs will be shown here.": "",
|
||||||
|
"Memory": "",
|
||||||
|
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||||
"Minimum Score": "Minimalus rezultatas",
|
"Minimum Score": "Minimalus rezultatas",
|
||||||
"Mirostat": "Mirostat",
|
"Mirostat": "Mirostat",
|
||||||
"Mirostat Eta": "Mirostat Eta",
|
"Mirostat Eta": "Mirostat Eta",
|
||||||
@ -263,41 +291,38 @@
|
|||||||
"Model '{{modelName}}' has been successfully downloaded.": "'{{modelName}}' modelis sėkmingai atsisiųstas.",
|
"Model '{{modelName}}' has been successfully downloaded.": "'{{modelName}}' modelis sėkmingai atsisiųstas.",
|
||||||
"Model '{{modelTag}}' is already in queue for downloading.": "Modelis '{{modelTag}}' jau atsisiuntimų eilėje.",
|
"Model '{{modelTag}}' is already in queue for downloading.": "Modelis '{{modelTag}}' jau atsisiuntimų eilėje.",
|
||||||
"Model {{modelId}} not found": "Modelis {{modelId}} nerastas",
|
"Model {{modelId}} not found": "Modelis {{modelId}} nerastas",
|
||||||
"Model {{modelName}} already exists.": "Modelis {{modelName}} jau egzistuoja.",
|
"Model {{modelName}} is not vision capable": "",
|
||||||
|
"Model {{name}} is now {{status}}": "",
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modelio failų sistemos kelias aptiktas. Reikalingas trumpas modelio pavadinimas atnaujinimui.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modelio failų sistemos kelias aptiktas. Reikalingas trumpas modelio pavadinimas atnaujinimui.",
|
||||||
"Model Name": "Modelio pavadinimas",
|
"Model ID": "",
|
||||||
"Model not selected": "Modelis nepasirinktas",
|
"Model not selected": "Modelis nepasirinktas",
|
||||||
"Model Tag Name": "Modelio žymos pavadinimas",
|
"Model Params": "",
|
||||||
"Model Whitelisting": "Modeliu baltasis sąrašas",
|
"Model Whitelisting": "Modeliu baltasis sąrašas",
|
||||||
"Model(s) Whitelisted": "Modelis baltąjame sąraše",
|
"Model(s) Whitelisted": "Modelis baltąjame sąraše",
|
||||||
"Modelfile": "Modelio failas",
|
|
||||||
"Modelfile Advanced Settings": "Pažengę nustatymai",
|
|
||||||
"Modelfile Content": "Modelio failo turinys",
|
"Modelfile Content": "Modelio failo turinys",
|
||||||
"Modelfiles": "Modelio failai",
|
|
||||||
"Models": "Modeliai",
|
"Models": "Modeliai",
|
||||||
"More": "Daugiau",
|
"More": "Daugiau",
|
||||||
"My Documents": "Mano dokumentai",
|
|
||||||
"My Modelfiles": "Mano modelių failai",
|
|
||||||
"My Prompts": "Mano užklausos",
|
|
||||||
"Name": "Pavadinimas",
|
"Name": "Pavadinimas",
|
||||||
"Name Tag": "Žymos pavadinimas",
|
"Name Tag": "Žymos pavadinimas",
|
||||||
"Name your modelfile": "Modelio failo pavadinimas",
|
"Name your model": "",
|
||||||
"New Chat": "Naujas pokalbis",
|
"New Chat": "Naujas pokalbis",
|
||||||
"New Password": "Naujas slaptažodis",
|
"New Password": "Naujas slaptažodis",
|
||||||
"No results found": "Rezultatų nerasta",
|
"No results found": "Rezultatų nerasta",
|
||||||
|
"No search query generated": "",
|
||||||
"No source available": "Šaltinių nerasta",
|
"No source available": "Šaltinių nerasta",
|
||||||
|
"None": "",
|
||||||
"Not factually correct": "Faktiškai netikslu",
|
"Not factually correct": "Faktiškai netikslu",
|
||||||
"Not sure what to add?": "Nežinote ką pridėti ?",
|
|
||||||
"Not sure what to write? Switch to": "Nežinoti ką rašyti ? Pakeiskite į",
|
|
||||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Jei turite minimalų įvertį, paieška gražins tik tą informaciją, kuri viršyje šį įvertį",
|
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Jei turite minimalų įvertį, paieška gražins tik tą informaciją, kuri viršyje šį įvertį",
|
||||||
"Notifications": "Pranešimai",
|
"Notifications": "Pranešimai",
|
||||||
"November": "lapkritis",
|
"November": "lapkritis",
|
||||||
|
"num_thread (Ollama)": "",
|
||||||
"October": "spalis",
|
"October": "spalis",
|
||||||
"Off": "Išjungta",
|
"Off": "Išjungta",
|
||||||
"Okay, Let's Go!": "Gerai, važiuojam!",
|
"Okay, Let's Go!": "Gerai, važiuojam!",
|
||||||
"OLED Dark": "OLED tamsus",
|
"OLED Dark": "OLED tamsus",
|
||||||
"Ollama": "Ollama",
|
"Ollama": "Ollama",
|
||||||
"Ollama Base URL": "Ollama nuoroda",
|
"Ollama API": "",
|
||||||
|
"Ollama API disabled": "",
|
||||||
"Ollama Version": "Ollama versija",
|
"Ollama Version": "Ollama versija",
|
||||||
"On": "Aktyvuota",
|
"On": "Aktyvuota",
|
||||||
"Only": "Tiktais",
|
"Only": "Tiktais",
|
||||||
@ -316,13 +341,14 @@
|
|||||||
"OpenAI URL/Key required.": "OpenAI API nuoroda ir raktas būtini",
|
"OpenAI URL/Key required.": "OpenAI API nuoroda ir raktas būtini",
|
||||||
"or": "arba",
|
"or": "arba",
|
||||||
"Other": "Kita",
|
"Other": "Kita",
|
||||||
"Overview": "Apžvalga",
|
|
||||||
"Parameters": "Nustatymai",
|
|
||||||
"Password": "Slaptažodis",
|
"Password": "Slaptažodis",
|
||||||
"PDF document (.pdf)": "PDF dokumentas (.pdf)",
|
"PDF document (.pdf)": "PDF dokumentas (.pdf)",
|
||||||
"PDF Extract Images (OCR)": "PDF paveikslėlių skaitymas (OCR)",
|
"PDF Extract Images (OCR)": "PDF paveikslėlių skaitymas (OCR)",
|
||||||
"pending": "laukiama",
|
"pending": "laukiama",
|
||||||
"Permission denied when accessing microphone: {{error}}": "Leidimas naudoti mikrofoną atmestas: {{error}}",
|
"Permission denied when accessing microphone: {{error}}": "Leidimas naudoti mikrofoną atmestas: {{error}}",
|
||||||
|
"Personalization": "",
|
||||||
|
"Pipelines": "",
|
||||||
|
"Pipelines Valves": "",
|
||||||
"Plain text (.txt)": "Grynas tekstas (.txt)",
|
"Plain text (.txt)": "Grynas tekstas (.txt)",
|
||||||
"Playground": "Eksperimentavimo erdvė",
|
"Playground": "Eksperimentavimo erdvė",
|
||||||
"Positive attitude": "Pozityvus elgesys",
|
"Positive attitude": "Pozityvus elgesys",
|
||||||
@ -336,10 +362,8 @@
|
|||||||
"Prompts": "Užklausos",
|
"Prompts": "Užklausos",
|
||||||
"Pull \"{{searchValue}}\" from Ollama.com": "Rasti \"{{searchValue}}\" iš Ollama.com",
|
"Pull \"{{searchValue}}\" from Ollama.com": "Rasti \"{{searchValue}}\" iš Ollama.com",
|
||||||
"Pull a model from Ollama.com": "Gauti modelį iš Ollama.com",
|
"Pull a model from Ollama.com": "Gauti modelį iš Ollama.com",
|
||||||
"Pull Progress": "Parsisintimo progresas",
|
|
||||||
"Query Params": "Užklausos parametrai",
|
"Query Params": "Užklausos parametrai",
|
||||||
"RAG Template": "RAG šablonas",
|
"RAG Template": "RAG šablonas",
|
||||||
"Raw Format": "Grynasis formatas",
|
|
||||||
"Read Aloud": "Skaityti garsiai",
|
"Read Aloud": "Skaityti garsiai",
|
||||||
"Record voice": "Įrašyti balsą",
|
"Record voice": "Įrašyti balsą",
|
||||||
"Redirecting you to OpenWebUI Community": "Perkeliam Jus į OpenWebUI bendruomenę",
|
"Redirecting you to OpenWebUI Community": "Perkeliam Jus į OpenWebUI bendruomenę",
|
||||||
@ -350,7 +374,6 @@
|
|||||||
"Remove Model": "Pašalinti modelį",
|
"Remove Model": "Pašalinti modelį",
|
||||||
"Rename": "Pervadinti",
|
"Rename": "Pervadinti",
|
||||||
"Repeat Last N": "Pakartoti paskutinius N",
|
"Repeat Last N": "Pakartoti paskutinius N",
|
||||||
"Repeat Penalty": "Kartojimosi bauda",
|
|
||||||
"Request Mode": "Užklausos rėžimas",
|
"Request Mode": "Užklausos rėžimas",
|
||||||
"Reranking Model": "Reranking modelis",
|
"Reranking Model": "Reranking modelis",
|
||||||
"Reranking model disabled": "Reranking modelis neleidžiamas",
|
"Reranking model disabled": "Reranking modelis neleidžiamas",
|
||||||
@ -360,9 +383,9 @@
|
|||||||
"Role": "Rolė",
|
"Role": "Rolė",
|
||||||
"Rosé Pine": "Rosé Pine",
|
"Rosé Pine": "Rosé Pine",
|
||||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||||
|
"RTL": "",
|
||||||
"Save": "Išsaugoti",
|
"Save": "Išsaugoti",
|
||||||
"Save & Create": "Išsaugoti ir sukurti",
|
"Save & Create": "Išsaugoti ir sukurti",
|
||||||
"Save & Submit": "Išsaugoti ir pateikti",
|
|
||||||
"Save & Update": "Išsaugoti ir atnaujinti",
|
"Save & Update": "Išsaugoti ir atnaujinti",
|
||||||
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Pokalbių saugojimas naršyklėje nebegalimas.",
|
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Pokalbių saugojimas naršyklėje nebegalimas.",
|
||||||
"Scan": "Skenuoti",
|
"Scan": "Skenuoti",
|
||||||
@ -370,18 +393,34 @@
|
|||||||
"Scan for documents from {{path}}": "Skenuoti dokumentus iš {{path}}",
|
"Scan for documents from {{path}}": "Skenuoti dokumentus iš {{path}}",
|
||||||
"Search": "Ieškoti",
|
"Search": "Ieškoti",
|
||||||
"Search a model": "Ieškoti modelio",
|
"Search a model": "Ieškoti modelio",
|
||||||
|
"Search Chats": "",
|
||||||
"Search Documents": "Ieškoti dokumentų",
|
"Search Documents": "Ieškoti dokumentų",
|
||||||
|
"Search Models": "",
|
||||||
"Search Prompts": "Ieškoti užklausų",
|
"Search Prompts": "Ieškoti užklausų",
|
||||||
|
"Search Result Count": "",
|
||||||
|
"Searched {{count}} sites_one": "",
|
||||||
|
"Searched {{count}} sites_few": "",
|
||||||
|
"Searched {{count}} sites_many": "",
|
||||||
|
"Searched {{count}} sites_other": "",
|
||||||
|
"Searching the web for '{{searchQuery}}'": "",
|
||||||
|
"Searxng Query URL": "",
|
||||||
"See readme.md for instructions": "Žiūrėti readme.md papildomoms instrukcijoms",
|
"See readme.md for instructions": "Žiūrėti readme.md papildomoms instrukcijoms",
|
||||||
"See what's new": "Žiūrėti naujoves",
|
"See what's new": "Žiūrėti naujoves",
|
||||||
"Seed": "Sėkla",
|
"Seed": "Sėkla",
|
||||||
|
"Select a base model": "",
|
||||||
"Select a mode": "Pasirinkti režimą",
|
"Select a mode": "Pasirinkti režimą",
|
||||||
"Select a model": "Pasirinkti modelį",
|
"Select a model": "Pasirinkti modelį",
|
||||||
|
"Select a pipeline": "",
|
||||||
|
"Select a pipeline url": "",
|
||||||
"Select an Ollama instance": "Pasirinkti Ollama instanciją",
|
"Select an Ollama instance": "Pasirinkti Ollama instanciją",
|
||||||
"Select model": "Pasirinkti modelį",
|
"Select model": "Pasirinkti modelį",
|
||||||
|
"Selected model(s) do not support image inputs": "",
|
||||||
|
"Send": "",
|
||||||
"Send a Message": "Siųsti žinutę",
|
"Send a Message": "Siųsti žinutę",
|
||||||
"Send message": "Siųsti žinutę",
|
"Send message": "Siųsti žinutę",
|
||||||
"September": "rugsėjis",
|
"September": "rugsėjis",
|
||||||
|
"Serper API Key": "",
|
||||||
|
"Serpstack API Key": "",
|
||||||
"Server connection verified": "Serverio sujungimas patvirtintas",
|
"Server connection verified": "Serverio sujungimas patvirtintas",
|
||||||
"Set as default": "Nustatyti numatytąjį",
|
"Set as default": "Nustatyti numatytąjį",
|
||||||
"Set Default Model": "Nustatyti numatytąjį modelį",
|
"Set Default Model": "Nustatyti numatytąjį modelį",
|
||||||
@ -390,7 +429,7 @@
|
|||||||
"Set Model": "Nustatyti modelį",
|
"Set Model": "Nustatyti modelį",
|
||||||
"Set reranking model (e.g. {{model}})": "Nustatyti reranking modelį",
|
"Set reranking model (e.g. {{model}})": "Nustatyti reranking modelį",
|
||||||
"Set Steps": "Numatyti etapus",
|
"Set Steps": "Numatyti etapus",
|
||||||
"Set Title Auto-Generation Model": "Numatyti pavadinimų generavimo modelį",
|
"Set Task Model": "",
|
||||||
"Set Voice": "Numatyti balsą",
|
"Set Voice": "Numatyti balsą",
|
||||||
"Settings": "Nustatymai",
|
"Settings": "Nustatymai",
|
||||||
"Settings saved successfully!": "Parametrai sėkmingai išsaugoti!",
|
"Settings saved successfully!": "Parametrai sėkmingai išsaugoti!",
|
||||||
@ -399,7 +438,6 @@
|
|||||||
"Share to OpenWebUI Community": "Dalintis su OpenWebUI bendruomene",
|
"Share to OpenWebUI Community": "Dalintis su OpenWebUI bendruomene",
|
||||||
"short-summary": "trumpinys",
|
"short-summary": "trumpinys",
|
||||||
"Show": "Rodyti",
|
"Show": "Rodyti",
|
||||||
"Show Additional Params": "Rodyti papildomus parametrus",
|
|
||||||
"Show shortcuts": "Rodyti trumpinius",
|
"Show shortcuts": "Rodyti trumpinius",
|
||||||
"Showcased creativity": "Kūrybingų užklausų paroda",
|
"Showcased creativity": "Kūrybingų užklausų paroda",
|
||||||
"sidebar": "šoninis meniu",
|
"sidebar": "šoninis meniu",
|
||||||
@ -418,7 +456,6 @@
|
|||||||
"Success": "Sėkmingai",
|
"Success": "Sėkmingai",
|
||||||
"Successfully updated.": "Sėkmingai atnaujinta.",
|
"Successfully updated.": "Sėkmingai atnaujinta.",
|
||||||
"Suggested": "Siūloma",
|
"Suggested": "Siūloma",
|
||||||
"Sync All": "Viską sinhronizuoti",
|
|
||||||
"System": "Sistema",
|
"System": "Sistema",
|
||||||
"System Prompt": "Sistemos užklausa",
|
"System Prompt": "Sistemos užklausa",
|
||||||
"Tags": "Žymos",
|
"Tags": "Žymos",
|
||||||
@ -451,18 +488,21 @@
|
|||||||
"Top P": "Top P",
|
"Top P": "Top P",
|
||||||
"Trouble accessing Ollama?": "Problemos prieinant prie Ollama?",
|
"Trouble accessing Ollama?": "Problemos prieinant prie Ollama?",
|
||||||
"TTS Settings": "TTS parametrai",
|
"TTS Settings": "TTS parametrai",
|
||||||
|
"Type": "",
|
||||||
"Type Hugging Face Resolve (Download) URL": "Įveskite Hugging Face Resolve nuorodą",
|
"Type Hugging Face Resolve (Download) URL": "Įveskite Hugging Face Resolve nuorodą",
|
||||||
"Uh-oh! There was an issue connecting to {{provider}}.": "O ne! Prisijungiant prie {{provider}} kilo problema.",
|
"Uh-oh! There was an issue connecting to {{provider}}.": "O ne! Prisijungiant prie {{provider}} kilo problema.",
|
||||||
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Nepažįstamas '{{file_type}}' failo formatas, tačiau jis priimtas ir bus apdorotas kaip grynas tekstas",
|
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Nepažįstamas '{{file_type}}' failo formatas, tačiau jis priimtas ir bus apdorotas kaip grynas tekstas",
|
||||||
"Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą",
|
"Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą",
|
||||||
"Update password": "Atnaujinti slaptažodį",
|
"Update password": "Atnaujinti slaptažodį",
|
||||||
"Upload a GGUF model": "Parsisiųsti GGUF modelį",
|
"Upload a GGUF model": "Parsisiųsti GGUF modelį",
|
||||||
"Upload files": "Įkelti failus",
|
"Upload Files": "",
|
||||||
"Upload Progress": "Įkėlimo progresas",
|
"Upload Progress": "Įkėlimo progresas",
|
||||||
"URL Mode": "URL režimas",
|
"URL Mode": "URL režimas",
|
||||||
"Use '#' in the prompt input to load and select your documents.": "Naudokite '#' norėdami naudoti dokumentą.",
|
"Use '#' in the prompt input to load and select your documents.": "Naudokite '#' norėdami naudoti dokumentą.",
|
||||||
"Use Gravatar": "Naudoti Gravatar",
|
"Use Gravatar": "Naudoti Gravatar",
|
||||||
"Use Initials": "Naudotojo inicialai",
|
"Use Initials": "Naudotojo inicialai",
|
||||||
|
"use_mlock (Ollama)": "",
|
||||||
|
"use_mmap (Ollama)": "",
|
||||||
"user": "naudotojas",
|
"user": "naudotojas",
|
||||||
"User Permissions": "Naudotojo leidimai",
|
"User Permissions": "Naudotojo leidimai",
|
||||||
"Users": "Naudotojai",
|
"Users": "Naudotojai",
|
||||||
@ -471,10 +511,13 @@
|
|||||||
"variable": "kintamasis",
|
"variable": "kintamasis",
|
||||||
"variable to have them replaced with clipboard content.": "kintamoji pakeičiama kopijuoklės turiniu.",
|
"variable to have them replaced with clipboard content.": "kintamoji pakeičiama kopijuoklės turiniu.",
|
||||||
"Version": "Versija",
|
"Version": "Versija",
|
||||||
|
"Warning": "",
|
||||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Jei pakeisite embedding modelį, turėsite reimportuoti visus dokumentus",
|
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Jei pakeisite embedding modelį, turėsite reimportuoti visus dokumentus",
|
||||||
"Web": "Web",
|
"Web": "Web",
|
||||||
"Web Loader Settings": "Web krovimo nustatymai",
|
"Web Loader Settings": "Web krovimo nustatymai",
|
||||||
"Web Params": "Web nustatymai",
|
"Web Params": "Web nustatymai",
|
||||||
|
"Web Search": "",
|
||||||
|
"Web Search Engine": "",
|
||||||
"Webhook URL": "Webhook nuoroda",
|
"Webhook URL": "Webhook nuoroda",
|
||||||
"WebUI Add-ons": "WebUI priedai",
|
"WebUI Add-ons": "WebUI priedai",
|
||||||
"WebUI Settings": "WebUI parametrai",
|
"WebUI Settings": "WebUI parametrai",
|
||||||
@ -482,10 +525,12 @@
|
|||||||
"What’s New in": "Kas naujo",
|
"What’s New in": "Kas naujo",
|
||||||
"When history is turned off, new chats on this browser won't appear in your history on any of your devices.": "Kai istorija išjungta, pokalbiai neatsiras jūsų istorijoje.",
|
"When history is turned off, new chats on this browser won't appear in your history on any of your devices.": "Kai istorija išjungta, pokalbiai neatsiras jūsų istorijoje.",
|
||||||
"Whisper (Local)": "Whisper (lokalus)",
|
"Whisper (Local)": "Whisper (lokalus)",
|
||||||
|
"Workspace": "",
|
||||||
"Write a prompt suggestion (e.g. Who are you?)": "Parašykite užklausą",
|
"Write a prompt suggestion (e.g. Who are you?)": "Parašykite užklausą",
|
||||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Parašyk santrumpą trumpesnę nei 50 žodžių šiam tekstui: [tekstas]",
|
"Write a summary in 50 words that summarizes [topic or keyword].": "Parašyk santrumpą trumpesnę nei 50 žodžių šiam tekstui: [tekstas]",
|
||||||
"Yesterday": "Vakar",
|
"Yesterday": "Vakar",
|
||||||
"You": "Jūs",
|
"You": "Jūs",
|
||||||
|
"You cannot clone a base model": "",
|
||||||
"You have no archived conversations.": "Jūs neturite archyvuotų pokalbių",
|
"You have no archived conversations.": "Jūs neturite archyvuotų pokalbių",
|
||||||
"You have shared this chat": "Pasidalinote šiuo pokalbiu",
|
"You have shared this chat": "Pasidalinote šiuo pokalbiu",
|
||||||
"You're a helpful assistant.": "Esi asistentas.",
|
"You're a helpful assistant.": "Esi asistentas.",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Wijzig Doc",
|
"Edit Doc": "Wijzig Doc",
|
||||||
"Edit User": "Wijzig Gebruiker",
|
"Edit User": "Wijzig Gebruiker",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Embedding Model",
|
"Embedding Model": "Embedding Model",
|
||||||
"Embedding Model Engine": "Embedding Model Engine",
|
"Embedding Model Engine": "Embedding Model Engine",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Embedding model ingesteld op \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Embedding model ingesteld op \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "ਡਾਕੂਮੈਂਟ ਸੰਪਾਦਨ ਕਰੋ",
|
"Edit Doc": "ਡਾਕੂਮੈਂਟ ਸੰਪਾਦਨ ਕਰੋ",
|
||||||
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
|
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
|
||||||
"Email": "ਈਮੇਲ",
|
"Email": "ਈਮੇਲ",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ",
|
"Embedding Model": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ",
|
||||||
"Embedding Model Engine": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਇੰਜਣ",
|
"Embedding Model Engine": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਇੰਜਣ",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਨੂੰ \"{{embedding_model}}\" 'ਤੇ ਸੈੱਟ ਕੀਤਾ ਗਿਆ",
|
"Embedding model set to \"{{embedding_model}}\"": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਨੂੰ \"{{embedding_model}}\" 'ਤੇ ਸੈੱਟ ਕੀਤਾ ਗਿਆ",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Edytuj dokument",
|
"Edit Doc": "Edytuj dokument",
|
||||||
"Edit User": "Edytuj użytkownika",
|
"Edit User": "Edytuj użytkownika",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Model osadzania",
|
"Embedding Model": "Model osadzania",
|
||||||
"Embedding Model Engine": "Silnik modelu osadzania",
|
"Embedding Model Engine": "Silnik modelu osadzania",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Model osadzania ustawiono na \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Model osadzania ustawiono na \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Editar Documento",
|
"Edit Doc": "Editar Documento",
|
||||||
"Edit User": "Editar Usuário",
|
"Edit User": "Editar Usuário",
|
||||||
"Email": "E-mail",
|
"Email": "E-mail",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modelo de Embedding",
|
"Embedding Model": "Modelo de Embedding",
|
||||||
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding definido como \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding definido como \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Editar Documento",
|
"Edit Doc": "Editar Documento",
|
||||||
"Edit User": "Editar Usuário",
|
"Edit User": "Editar Usuário",
|
||||||
"Email": "E-mail",
|
"Email": "E-mail",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Modelo de Embedding",
|
"Embedding Model": "Modelo de Embedding",
|
||||||
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
"Embedding Model Engine": "Motor de Modelo de Embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding definido como \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Modelo de Embedding definido como \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Редактировать документ",
|
"Edit Doc": "Редактировать документ",
|
||||||
"Edit User": "Редактировать пользователя",
|
"Edit User": "Редактировать пользователя",
|
||||||
"Email": "Электронная почта",
|
"Email": "Электронная почта",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Модель эмбеддинга",
|
"Embedding Model": "Модель эмбеддинга",
|
||||||
"Embedding Model Engine": "Модель эмбеддинга",
|
"Embedding Model Engine": "Модель эмбеддинга",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Эмбеддинг-модель установлена в \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Эмбеддинг-модель установлена в \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Уреди документ",
|
"Edit Doc": "Уреди документ",
|
||||||
"Edit User": "Уреди корисника",
|
"Edit User": "Уреди корисника",
|
||||||
"Email": "Е-пошта",
|
"Email": "Е-пошта",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Модел уградње",
|
"Embedding Model": "Модел уградње",
|
||||||
"Embedding Model Engine": "Мотор модела уградње",
|
"Embedding Model Engine": "Мотор модела уградње",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Модел уградње подешен на \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Модел уградње подешен на \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Redigera dokument",
|
"Edit Doc": "Redigera dokument",
|
||||||
"Edit User": "Redigera användare",
|
"Edit User": "Redigera användare",
|
||||||
"Email": "E-post",
|
"Email": "E-post",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Embeddingsmodell",
|
"Embedding Model": "Embeddingsmodell",
|
||||||
"Embedding Model Engine": "Embeddingsmodellmotor",
|
"Embedding Model Engine": "Embeddingsmodellmotor",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Embeddingsmodell inställd på \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Embeddingsmodell inställd på \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Belgeyi Düzenle",
|
"Edit Doc": "Belgeyi Düzenle",
|
||||||
"Edit User": "Kullanıcıyı Düzenle",
|
"Edit User": "Kullanıcıyı Düzenle",
|
||||||
"Email": "E-posta",
|
"Email": "E-posta",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Gömme Modeli",
|
"Embedding Model": "Gömme Modeli",
|
||||||
"Embedding Model Engine": "Gömme Modeli Motoru",
|
"Embedding Model Engine": "Gömme Modeli Motoru",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Gömme modeli \"{{embedding_model}}\" olarak ayarlandı",
|
"Embedding model set to \"{{embedding_model}}\"": "Gömme modeli \"{{embedding_model}}\" olarak ayarlandı",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Редагувати документ",
|
"Edit Doc": "Редагувати документ",
|
||||||
"Edit User": "Редагувати користувача",
|
"Edit User": "Редагувати користувача",
|
||||||
"Email": "Електронна пошта",
|
"Email": "Електронна пошта",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Модель вбудовування",
|
"Embedding Model": "Модель вбудовування",
|
||||||
"Embedding Model Engine": "Двигун модели встраивания ",
|
"Embedding Model Engine": "Двигун модели встраивания ",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Встановлена модель вбудовування \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Встановлена модель вбудовування \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "Thay đổi tài liệu",
|
"Edit Doc": "Thay đổi tài liệu",
|
||||||
"Edit User": "Thay đổi thông tin người sử dụng",
|
"Edit User": "Thay đổi thông tin người sử dụng",
|
||||||
"Email": "Email",
|
"Email": "Email",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "Mô hình embedding",
|
"Embedding Model": "Mô hình embedding",
|
||||||
"Embedding Model Engine": "Trình xử lý embedding",
|
"Embedding Model Engine": "Trình xử lý embedding",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "Mô hình embedding đã được thiết lập thành \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "Mô hình embedding đã được thiết lập thành \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "编辑文档",
|
"Edit Doc": "编辑文档",
|
||||||
"Edit User": "编辑用户",
|
"Edit User": "编辑用户",
|
||||||
"Email": "邮箱地址",
|
"Email": "邮箱地址",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "语义向量模型",
|
"Embedding Model": "语义向量模型",
|
||||||
"Embedding Model Engine": "语义向量模型引擎",
|
"Embedding Model Engine": "语义向量模型引擎",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "语义向量模型设置为 \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "语义向量模型设置为 \"{{embedding_model}}\"",
|
||||||
|
@ -170,6 +170,7 @@
|
|||||||
"Edit Doc": "編輯文件",
|
"Edit Doc": "編輯文件",
|
||||||
"Edit User": "編輯使用者",
|
"Edit User": "編輯使用者",
|
||||||
"Email": "電子郵件",
|
"Email": "電子郵件",
|
||||||
|
"Embedding Batch Size": "",
|
||||||
"Embedding Model": "嵌入模型",
|
"Embedding Model": "嵌入模型",
|
||||||
"Embedding Model Engine": "嵌入模型引擎",
|
"Embedding Model Engine": "嵌入模型引擎",
|
||||||
"Embedding model set to \"{{embedding_model}}\"": "嵌入模型已設定為 \"{{embedding_model}}\"",
|
"Embedding model set to \"{{embedding_model}}\"": "嵌入模型已設定為 \"{{embedding_model}}\"",
|
||||||
|
Loading…
x
Reference in New Issue
Block a user